diff --git a/src/App/ComplexGeoData.cpp b/src/App/ComplexGeoData.cpp index 717e173cb735..cf99b2a22c96 100644 --- a/src/App/ComplexGeoData.cpp +++ b/src/App/ComplexGeoData.cpp @@ -637,7 +637,6 @@ unsigned int ComplexGeoData::getMemSize() const return 0; } - void ComplexGeoData::setMappedChildElements(const std::vector & children) { // DO NOT reset element map if there is one. Because we allow mixing child diff --git a/src/App/ComplexGeoData.h b/src/App/ComplexGeoData.h index 0ce246a5e69b..ab91d9acac07 100644 --- a/src/App/ComplexGeoData.h +++ b/src/App/ComplexGeoData.h @@ -298,8 +298,20 @@ class AppExport ComplexGeoData: public Base::Persistence, public Base::Handled virtual bool checkElementMapVersion(const char * ver) const; /// Check if the given sub-name only contains an element name - static bool isElementName(const char *subName) { - return (subName != nullptr) && (*subName != 0) && findElementName(subName)==subName; + static bool isElementName(const char* subName) + { + return (subName != nullptr) && (*subName != 0) && findElementName(subName) == subName; + } + + /** Iterate through the history of the give element name with a given callback + * + * @param name: the input element name + * @param cb: trace callback with call signature. + * @sa TraceCallback + */ + void traceElement(const MappedName& name, TraceCallback cb) const + { + _elementMap->traceElement(name, Tag, cb); } /** Flush an internal buffering for element mapping */ diff --git a/src/App/Document.cpp b/src/App/Document.cpp index 0c7009717b43..149a47fd7d2f 100644 --- a/src/App/Document.cpp +++ b/src/App/Document.cpp @@ -798,7 +798,7 @@ Document::Document(const char* documentName) #ifdef FC_LOGUPDATECHAIN Console().Log("+App::Document: %p\n", this); #endif - std::string CreationDateString = Base::TimeInfo::currentDateTimeString(); + std::string CreationDateString = Base::Tools::currentDateTimeString(); std::string Author = App::GetApplication() .GetParameterGroupByPath("User parameter:BaseApp/Preferences/Document") ->GetASCII("prefAuthor", ""); @@ -1606,7 +1606,7 @@ bool Document::save () TipName.setValue(Tip.getValue()->getNameInDocument()); } - std::string LastModifiedDateString = Base::TimeInfo::currentDateTimeString(); + std::string LastModifiedDateString = Base::Tools::currentDateTimeString(); LastModifiedDate.setValue(LastModifiedDateString.c_str()); // set author if needed bool saveAuthor = App::GetApplication().GetParameterGroupByPath @@ -1799,7 +1799,7 @@ class BackupPolicy { if (useFCBakExtension) { std::stringstream str; Base::TimeInfo ti = fi.lastModified(); - time_t s =ti.getSeconds(); + time_t s = ti.getTime_t(); struct tm * timeinfo = localtime(& s); char buffer[100]; diff --git a/src/App/ElementMap.cpp b/src/App/ElementMap.cpp index 11ee75439cc2..d6012c721588 100644 --- a/src/App/ElementMap.cpp +++ b/src/App/ElementMap.cpp @@ -11,6 +11,8 @@ #include "App/Application.h" #include "Base/Console.h" +#include "Document.h" +#include "DocumentObject.h" #include #include @@ -1348,5 +1350,94 @@ long ElementMap::getElementHistory(const MappedName& name, long masterTag, Mappe } } +void ElementMap::traceElement(const MappedName& name, long masterTag, TraceCallback cb) const +{ + long encodedTag = 0; + int len = 0; + + auto pos = name.findTagInElementName(&encodedTag, &len, nullptr, nullptr, true); + if (cb(name, len, encodedTag, masterTag) || pos < 0) { + return; + } + + if (name.startsWith(POSTFIX_EXTERNAL_TAG, len)) { + return; + } + + std::set tagSet; + + std::vector names; + if (masterTag) { + tagSet.insert(std::abs(masterTag)); + } + if (encodedTag) { + tagSet.insert(std::abs(encodedTag)); + } + names.push_back(name); + + masterTag = encodedTag; + MappedName tmp; + bool first = true; + + // TODO: element tracing without object is inherently unsafe, because of + // possible external linking object which means the element may be encoded + // using external string table. Looking up the wrong table may accidentally + // cause circular mapping, and is actually quite easy to reproduce. See + // + // https://github.com/realthunder/FreeCAD_assembly3/issues/968 + // + // An arbitrary depth limit is set here to not waste time. 'tagSet' above is + // also used for early detection of 'recursive' mapping. + + for (int index = 0; index < 50; ++index) { + if (!len || len > pos) { + return; + } + if (first) { + first = false; + size_t offset = 0; + if (name.startsWith(ELEMENT_MAP_PREFIX)) { + offset = ELEMENT_MAP_PREFIX_SIZE; + } + tmp = MappedName(name, offset, len); + } + else { + tmp = MappedName(tmp, 0, len); + } + tmp = dehashElementName(tmp); + names.push_back(tmp); + encodedTag = 0; + pos = tmp.findTagInElementName(&encodedTag, &len, nullptr, nullptr, true); + if (pos >= 0 && tmp.startsWith(POSTFIX_EXTERNAL_TAG, len)) { + break; + } + + if (encodedTag && masterTag != std::abs(encodedTag) + && !tagSet.insert(std::abs(encodedTag)).second) { + if (FC_LOG_INSTANCE.isEnabled(FC_LOGLEVEL_LOG)) { + FC_WARN("circular element mapping"); + if (FC_LOG_INSTANCE.isEnabled(FC_LOGLEVEL_TRACE)) { + auto doc = App::GetApplication().getActiveDocument(); + if (doc) { + auto obj = doc->getObjectByID(masterTag); + if (obj) { + FC_LOG("\t" << obj->getFullName() << obj->getFullName() << "." << name); + } + } + for (auto& errname : names) { + FC_ERR("\t" << errname); + } + } + } + break; + } + + if (cb(tmp, len, encodedTag, masterTag) || pos < 0) { + return; + } + masterTag = encodedTag; + } +} + }// Namespace Data diff --git a/src/App/ElementMap.h b/src/App/ElementMap.h index 195b6020dd2e..1902210ef915 100644 --- a/src/App/ElementMap.h +++ b/src/App/ElementMap.h @@ -45,6 +45,21 @@ namespace Data class ElementMap; using ElementMapPtr = std::shared_ptr; +/** Element trace callback + * + * The callback has the following call signature + * (const std::string &name, size_t offset, long encodedTag, long tag) -> bool + * + * @param name: the current element name. + * @param offset: the offset skipping the encoded element name for the next iteration. + * @param encodedTag: the tag encoded inside the current element, which is usually the tag + * of the previous step in the shape history. + * @param tag: the tag of the current shape element. + * + * @sa traceElement() + */ +typedef std::function TraceCallback; + /* This class provides for ComplexGeoData's ability to provide proper naming. * Specifically, ComplexGeoData uses this class for it's `_id` property. * Most of the operations work with the `indexedNames` and `mappedNames` maps. @@ -185,6 +200,15 @@ class AppExport ElementMap: public std::enable_shared_from_this //TO long masterTag, MappedName *original=nullptr, std::vector *history=nullptr) const; + /** Iterate through the history of the give element name with a given callback + * + * @param name: the input element name + * @param cb: trace callback with call signature. + * @sa TraceCallback + */ + void traceElement(const MappedName& name, long masterTag, TraceCallback cb) const; + + private: /** Serialize this map * @param stream: serialized stream diff --git a/src/Base/CMakeLists.txt b/src/Base/CMakeLists.txt index a21b6c240a61..85a48dae439b 100644 --- a/src/Base/CMakeLists.txt +++ b/src/Base/CMakeLists.txt @@ -264,7 +264,6 @@ SET(FreeCADBase_CPP_SRCS Stream.cpp Swap.cpp ${SWIG_SRCS} - TimeInfo.cpp Tools.cpp Tools2D.cpp Tools3D.cpp diff --git a/src/Base/PreCompiled.h b/src/Base/PreCompiled.h index b38b44a68d29..791715b249f3 100644 --- a/src/Base/PreCompiled.h +++ b/src/Base/PreCompiled.h @@ -37,6 +37,7 @@ #include #include #include +#include #ifdef FC_OS_WIN32 #define _USE_MATH_DEFINES #endif // FC_OS_WIN32 diff --git a/src/Base/Resources/translations/Base_nl.ts b/src/Base/Resources/translations/Base_nl.ts index 6d5c3318fc5b..25e89877fa87 100644 --- a/src/Base/Resources/translations/Base_nl.ts +++ b/src/Base/Resources/translations/Base_nl.ts @@ -6,12 +6,12 @@ Standard (mm, kg, s, °) - Standard (mm, kg, s, °) + Standaard (mm, kg, s, graden) MKS (m, kg, s, °) - MKS (m, kg, s, °) + MKS (m, kg, s, graden) @@ -41,7 +41,7 @@ Imperial for Civil Eng (ft, ft/s) - Imperial for Civil Eng (ft, ft/s) + Engelse eenheden voor Civiele Engineering (ft, ft/sec) diff --git a/src/Base/TimeInfo.cpp b/src/Base/TimeInfo.cpp deleted file mode 100644 index 0fd6bb9fe964..000000000000 --- a/src/Base/TimeInfo.cpp +++ /dev/null @@ -1,113 +0,0 @@ -/*************************************************************************** - * Copyright (c) 2011 Jürgen Riegel * - * * - * This file is part of the FreeCAD CAx development system. * - * * - * This library is free software; you can redistribute it and/or * - * modify it under the terms of the GNU Library General Public * - * License as published by the Free Software Foundation; either * - * version 2 of the License, or (at your option) any later version. * - * * - * This library 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 Library General Public License for more details. * - * * - * You should have received a copy of the GNU Library General Public * - * License along with this library; see the file COPYING.LIB. If not, * - * write to the Free Software Foundation, Inc., 59 Temple Place, * - * Suite 330, Boston, MA 02111-1307, USA * - * * - ***************************************************************************/ - - -#include "PreCompiled.h" - -#ifndef _PreComp_ -#include -#include -#if defined(FC_OS_LINUX) || defined(__MINGW32__) -#include -#endif -#endif - -#include "TimeInfo.h" - - -using namespace Base; - - -/** - * A constructor. - * A more elaborate description of the constructor. - */ -TimeInfo::TimeInfo() -{ - setCurrent(); -} - -/** - * A destructor. - * A more elaborate description of the destructor. - */ -TimeInfo::~TimeInfo() = default; - - -//************************************************************************** -// separator for other implementation aspects - -void TimeInfo::setCurrent() -{ - // clang-format off -#if defined(FC_OS_BSD) || defined(FC_OS_LINUX) || defined(__MINGW32__) - struct timeval tv {}; - gettimeofday(&tv, nullptr); - timebuffer.time = tv.tv_sec; - timebuffer.millitm = tv.tv_usec / 1000; -#elif defined(FC_OS_WIN32) - _ftime(&timebuffer); -#else - ftime(&timebuffer); // deprecated -#endif - // clang-format on -} - -void TimeInfo::setTime_t(int64_t seconds) -{ - timebuffer.time = seconds; -} - -std::string TimeInfo::currentDateTimeString() -{ - return QDateTime::currentDateTime() - .toTimeSpec(Qt::OffsetFromUTC) - .toString(Qt::ISODate) - .toStdString(); -} - -std::string TimeInfo::diffTime(const TimeInfo& timeStart, const TimeInfo& timeEnd) -{ - std::stringstream str; - str << diffTimeF(timeStart, timeEnd); - return str.str(); -} - -float TimeInfo::diffTimeF(const TimeInfo& timeStart, const TimeInfo& timeEnd) -{ - int64_t ds = int64_t(timeEnd.getSeconds() - timeStart.getSeconds()); - int dms = int(timeEnd.getMiliseconds()) - int(timeStart.getMiliseconds()); - - return float(ds) + float(dms) * 0.001F; -} - -TimeInfo TimeInfo::null() -{ - TimeInfo ti; - ti.timebuffer = {}; - return ti; -} - -bool TimeInfo::isNull() const -{ - return (*this) == TimeInfo::null(); -} diff --git a/src/Base/TimeInfo.h b/src/Base/TimeInfo.h index ae9164d41d37..433fb7c764c1 100644 --- a/src/Base/TimeInfo.h +++ b/src/Base/TimeInfo.h @@ -1,5 +1,6 @@ /*************************************************************************** * Copyright (c) 2011 Jürgen Riegel * + * Copyright (c) 2024 Ladislav Michl * * * * This file is part of the FreeCAD CAx development system. * * * @@ -24,135 +25,109 @@ #ifndef BASE_TIMEINFO_H #define BASE_TIMEINFO_H -// Std. configurations - - -#include -#if defined(FC_OS_BSD) -#include -#else -#include -#endif -#include - -#ifdef __GNUC__ -#include -#endif - +#include +#include #include #include -#if defined(FC_OS_BSD) -struct timeb -{ - int64_t time; - unsigned short millitm; -}; -#endif - namespace Base { -/// BaseClass class and root of the type system -class BaseExport TimeInfo + +using Clock = std::chrono::system_clock; + +class TimeInfo: public std::chrono::time_point { +private: + bool _null; public: - /// Construction - TimeInfo(); + TimeInfo() + { + setCurrent(); + } + TimeInfo(const TimeInfo&) = default; TimeInfo(TimeInfo&&) = default; - /// Destruction - ~TimeInfo(); - - /// sets the object to the actual system time - void setCurrent(); - void setTime_t(int64_t seconds); + ~TimeInfo() = default; - int64_t getSeconds() const; - unsigned short getMiliseconds() const; - - TimeInfo& operator=(const TimeInfo& time) = default; - TimeInfo& operator=(TimeInfo&& time) = default; - bool operator==(const TimeInfo& time) const; - bool operator!=(const TimeInfo& time) const; - - bool operator<(const TimeInfo& time) const; - bool operator<=(const TimeInfo& time) const; - bool operator>=(const TimeInfo& time) const; - bool operator>(const TimeInfo& time) const; + void setCurrent() + { + static_cast&>(*this) = Clock::now(); + _null = false; + } - static std::string currentDateTimeString(); - static std::string diffTime(const TimeInfo& timeStart, const TimeInfo& timeEnd = TimeInfo()); - static float diffTimeF(const TimeInfo& timeStart, const TimeInfo& timeEnd = TimeInfo()); - bool isNull() const; - static TimeInfo null(); + void setTime_t(std::time_t time) + { + static_cast&>(*this) = Clock::from_time_t(time); + _null = false; + } -private: - // clang-format off -#if defined(_MSC_VER) - struct _timeb timebuffer; -#elif defined(__GNUC__) - struct timeb timebuffer {}; -#endif - // clang-format on -}; + std::time_t getTime_t() + { + return Clock::to_time_t(*this); + } + static float diffTimeF(const TimeInfo& start, const TimeInfo& end = TimeInfo()) + { + const std::chrono::duration duration = end - start; + return duration.count(); + } -inline int64_t TimeInfo::getSeconds() const -{ - return timebuffer.time; -} + static std::string diffTime(const TimeInfo& start, const TimeInfo& end = TimeInfo()) + { + std::stringstream ss; + const std::chrono::duration secs = end - start; + ss << secs.count(); + return ss.str(); + } -inline unsigned short TimeInfo::getMiliseconds() const -{ - return timebuffer.millitm; -} + bool isNull() const + { + return _null; + } -inline bool TimeInfo::operator!=(const TimeInfo& time) const -{ - return (timebuffer.time != time.timebuffer.time - || timebuffer.millitm != time.timebuffer.millitm); -} + static TimeInfo null() + { + TimeInfo ti; + ti._null = true; + return ti; + } +}; // class TimeInfo -inline bool TimeInfo::operator==(const TimeInfo& time) const -{ - return (timebuffer.time == time.timebuffer.time - && timebuffer.millitm == time.timebuffer.millitm); -} +using Ticks = std::chrono::steady_clock; -inline bool TimeInfo::operator<(const TimeInfo& time) const +class TimeElapsed: public std::chrono::time_point { - if (timebuffer.time == time.timebuffer.time) { - return timebuffer.millitm < time.timebuffer.millitm; +public: + TimeElapsed() + { + setCurrent(); } - return timebuffer.time < time.timebuffer.time; -} -inline bool TimeInfo::operator<=(const TimeInfo& time) const -{ - if (timebuffer.time == time.timebuffer.time) { - return timebuffer.millitm <= time.timebuffer.millitm; + TimeElapsed(const TimeElapsed&) = default; + TimeElapsed(TimeElapsed&&) = default; + ~TimeElapsed() = default; + + void setCurrent() + { + static_cast&>(*this) = Ticks::now(); } - return timebuffer.time <= time.timebuffer.time; -} -inline bool TimeInfo::operator>=(const TimeInfo& time) const -{ - if (timebuffer.time == time.timebuffer.time) { - return timebuffer.millitm >= time.timebuffer.millitm; + static float diffTimeF(const TimeElapsed& start, const TimeElapsed& end = TimeElapsed()) + { + const std::chrono::duration duration = end - start; + return duration.count(); } - return timebuffer.time >= time.timebuffer.time; -} -inline bool TimeInfo::operator>(const TimeInfo& time) const -{ - if (timebuffer.time == time.timebuffer.time) { - return timebuffer.millitm > time.timebuffer.millitm; + static std::string diffTime(const TimeElapsed& start, const TimeElapsed& end = TimeElapsed()) + { + std::stringstream ss; + const std::chrono::duration secs = end - start; + ss << secs.count(); + return ss.str(); } - return timebuffer.time > time.timebuffer.time; -} +}; // class TimeElapsed } // namespace Base - #endif // BASE_TIMEINFO_H diff --git a/src/Base/Tools.cpp b/src/Base/Tools.cpp index 54a494c7fd99..b16416448932 100644 --- a/src/Base/Tools.cpp +++ b/src/Base/Tools.cpp @@ -26,7 +26,7 @@ #include #include #include -#include +#include #endif #include "PyExport.h" @@ -365,61 +365,10 @@ std::string Base::Tools::joinList(const std::vector& vec, const std return str.str(); } -// ---------------------------------------------------------------------------- - -using namespace Base; - -struct StopWatch::Private -{ - QElapsedTimer t; -}; - -StopWatch::StopWatch() - : d(new Private) -{} - -StopWatch::~StopWatch() -{ - delete d; -} - -void StopWatch::start() -{ - d->t.start(); -} - -int StopWatch::restart() +std::string Base::Tools::currentDateTimeString() { - return d->t.restart(); -} - -int StopWatch::elapsed() -{ - return d->t.elapsed(); -} - -std::string StopWatch::toString(int ms) const -{ - int total = ms; - int msec = total % 1000; - total = total / 1000; - int secs = total % 60; - total = total / 60; - int mins = total % 60; - int hour = total / 60; - std::stringstream str; - str << "Needed time: "; - if (hour > 0) { - str << hour << "h " << mins << "m " << secs << "s"; - } - else if (mins > 0) { - str << mins << "m " << secs << "s"; - } - else if (secs > 0) { - str << secs << "s"; - } - else { - str << msec << "ms"; - } - return str.str(); + return QDateTime::currentDateTime() + .toTimeSpec(Qt::OffsetFromUTC) + .toString(Qt::ISODate) + .toStdString(); } diff --git a/src/Base/Tools.h b/src/Base/Tools.h index 4f2c957b4bc4..b17907bbc4a4 100644 --- a/src/Base/Tools.h +++ b/src/Base/Tools.h @@ -145,29 +145,6 @@ inline T fmod(T numerator, T denominator) // ---------------------------------------------------------------------------- -class BaseExport StopWatch -{ -public: - StopWatch(); - ~StopWatch(); - - void start(); - int restart(); - int elapsed(); - std::string toString(int ms) const; - - StopWatch(const StopWatch&) = delete; - StopWatch(StopWatch&&) = delete; - StopWatch& operator=(const StopWatch&) = delete; - StopWatch& operator=(StopWatch&&) = delete; - -private: - struct Private; - Private* d; -}; - -// ---------------------------------------------------------------------------- - // NOLINTBEGIN template struct FlagToggler @@ -346,6 +323,8 @@ struct BaseExport Tools * @return */ static std::string joinList(const std::vector& vec, const std::string& sep = ", "); + + static std::string currentDateTimeString(); }; diff --git a/src/FCConfig.h b/src/FCConfig.h index 27cecb2d6b9d..294d16ad4cf6 100644 --- a/src/FCConfig.h +++ b/src/FCConfig.h @@ -93,7 +93,9 @@ //************************************************************************** // Standard types for Windows -#if defined (FC_OS_WIN64) || defined (FC_OS_WIN32) +#if defined(__MINGW32__) +// Do not remove this line! +#elif defined (FC_OS_WIN64) || defined (FC_OS_WIN32) #ifndef HAVE_INT8_T #define HAVE_INT8_T diff --git a/src/Gui/AutoSaver.cpp b/src/Gui/AutoSaver.cpp index 9e89ab081bc1..8ff9a9013f09 100644 --- a/src/Gui/AutoSaver.cpp +++ b/src/Gui/AutoSaver.cpp @@ -38,6 +38,7 @@ #include #include #include +#include #include #include @@ -171,9 +172,8 @@ void AutoSaver::saveDocument(const std::string& name, AutoSaveProperty& saver) getMainWindow()->showMessage(tr("Please wait until the AutoRecovery file has been saved..."), 5000); //qApp->processEvents(); + Base::TimeElapsed startTime; // open extra scope to close ZipWriter properly - Base::StopWatch watch; - watch.start(); { if (!this->compressed) { RecoveryWriter writer(saver); @@ -220,8 +220,7 @@ void AutoSaver::saveDocument(const std::string& name, AutoSaveProperty& saver) } } - std::string str = watch.toString(watch.elapsed()); - Base::Console().Log("Save AutoRecovery file: %s\n", str.c_str()); + Base::Console().Log("Save AutoRecovery file in %fs\n", Base::TimeElapsed::diffTimeF(startTime,Base::TimeElapsed())); hGrp->SetBool("SaveThumbnail",save); } } diff --git a/src/Gui/BlenderNavigationStyle.cpp b/src/Gui/BlenderNavigationStyle.cpp index 269dbfdb4957..cb6775ccf80d 100644 --- a/src/Gui/BlenderNavigationStyle.cpp +++ b/src/Gui/BlenderNavigationStyle.cpp @@ -256,10 +256,13 @@ SbBool BlenderNavigationStyle::processSoEvent(const SoEvent * const ev) case BUTTON1DOWN: case CTRLDOWN|BUTTON1DOWN: // make sure not to change the selection when stopping spinning - if (curmode == NavigationStyle::SPINNING || this->lockButton1 && curmode != NavigationStyle::SELECTION) + if (curmode == NavigationStyle::SPINNING + || (this->lockButton1 && curmode != NavigationStyle::SELECTION)) { newmode = NavigationStyle::IDLE; - else + } + else { newmode = NavigationStyle::SELECTION; + } break; case BUTTON1DOWN|BUTTON2DOWN: newmode = NavigationStyle::PANNING; diff --git a/src/Gui/DAGView/DAGModel.cpp b/src/Gui/DAGView/DAGModel.cpp index 5b9833924ded..b005fc44536b 100644 --- a/src/Gui/DAGView/DAGModel.cpp +++ b/src/Gui/DAGView/DAGModel.cpp @@ -460,7 +460,7 @@ void Model::updateSlot() //for speed. Not doing yet, as I want a simple algorithm until //a more complete picture is formed. - Base::TimeInfo startTime; + Base::TimeElapsed startTime; //here we will cycle through the graph updating edges. //we have to do this first and in isolation because everything is dependent on an up to date graph. @@ -761,7 +761,7 @@ void Model::updateSlot() //Modeling_Challenge_Casting_ta4 with 59 features: "Initialize DAG View time: 0.007" //keeping algo simple with extra loops only added 0.002 to above number. -// std::cout << "Initialize DAG View time: " << Base::TimeInfo::diffTimeF(startTime, Base::TimeInfo()) << std::endl; +// std::cout << "Initialize DAG View time: " << Base::TimeElapsed::diffTimeF(startTime, Base::TimeElapsed()) << std::endl; // outputGraphviz(*theGraph, "./graphviz.dot"); graphDirty = false; diff --git a/src/Gui/DlgPropertyLink.cpp b/src/Gui/DlgPropertyLink.cpp index c611f1531d33..973a5d1e7062 100644 --- a/src/Gui/DlgPropertyLink.cpp +++ b/src/Gui/DlgPropertyLink.cpp @@ -525,7 +525,14 @@ void DlgPropertyLink::onItemSelectionChanged() auto vp = Base::freecad_dynamic_cast( doc->getViewProvider(obj)); if(vp) { - doc->setActiveView(vp, Gui::View3DInventor::getClassTypeId()); + // If the view provider uses a special window for rendering, switch to it + MDIView *view = vp->getMDIView(); + if (view) { + doc->setActiveWindow(view); + } + else { + doc->setActiveView(vp, Gui::View3DInventor::getClassTypeId()); + } } } } diff --git a/src/Gui/Language/FreeCAD.ts b/src/Gui/Language/FreeCAD.ts index 31cf8295ac67..94968fb3f258 100644 --- a/src/Gui/Language/FreeCAD.ts +++ b/src/Gui/Language/FreeCAD.ts @@ -188,8 +188,8 @@ - + Transform @@ -6058,15 +6058,15 @@ Do you want to save your changes? - + Graphviz format - + Export graph @@ -7986,8 +7986,8 @@ Do you want to specify another directory? - + Unsaved document @@ -8837,8 +8837,8 @@ the current copy will be lost. - + Toggle floating window @@ -9982,8 +9982,8 @@ the current copy will be lost. - + Unnamed diff --git a/src/Gui/Language/FreeCAD_be.ts b/src/Gui/Language/FreeCAD_be.ts index 39fcc083623d..31fbc3377345 100644 --- a/src/Gui/Language/FreeCAD_be.ts +++ b/src/Gui/Language/FreeCAD_be.ts @@ -188,8 +188,8 @@ Размясціць - + Transform Пераўтварыць @@ -6121,15 +6121,15 @@ Do you want to save your changes? Фармат PDF - + Graphviz format Фармат Graphviz - + Export graph Экспартаваць дыяграму @@ -8061,8 +8061,8 @@ Do you want to specify another directory? Экспарт у PDF... - + Unsaved document Незахаваны дакумент @@ -8930,8 +8930,8 @@ the current copy will be lost. Пераключыць накладанне - + Toggle floating window Пераключыць акно, якое плавае @@ -8974,7 +8974,7 @@ the current copy will be lost. Show visibility icon - Show visibility icon + Паказаць гузік бачнасці @@ -9144,12 +9144,12 @@ the current copy will be lost. UnSuppress - UnSuppress + Не хаваць Suppress - Suppress + Хаваць @@ -10077,8 +10077,8 @@ the current copy will be lost. Стварыць новы пусты дакумент - + Unnamed Без назвы @@ -11762,7 +11762,8 @@ Do you still want to proceed? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Калі ўключана, паказаць гузік вачэй перад элементамі прагляду дрэва, які паказвае стан бачнасці элементаў. +Пры націску на яго бачнасць пераключаецца diff --git a/src/Gui/Language/FreeCAD_ca.ts b/src/Gui/Language/FreeCAD_ca.ts index 610da57b8af8..82a22bb7284e 100644 --- a/src/Gui/Language/FreeCAD_ca.ts +++ b/src/Gui/Language/FreeCAD_ca.ts @@ -188,8 +188,8 @@ Posició - + Transform Transformar @@ -6118,15 +6118,15 @@ Do you want to save your changes? Format PDF - + Graphviz format Graphviz format - + Export graph Exporta el gràfic @@ -8048,8 +8048,8 @@ Do you want to specify another directory? S'està exportant a PDF... - + Unsaved document El document no s'ha desat @@ -8913,8 +8913,8 @@ la còpia actual es perdrà. Toggle overlay - + Toggle floating window Toggle floating window @@ -10058,8 +10058,8 @@ la còpia actual es perdrà. Crea un document buit nou - + Unnamed Sense nom diff --git a/src/Gui/Language/FreeCAD_cs.ts b/src/Gui/Language/FreeCAD_cs.ts index d0b8b0cbe98a..f33705f377de 100644 --- a/src/Gui/Language/FreeCAD_cs.ts +++ b/src/Gui/Language/FreeCAD_cs.ts @@ -188,8 +188,8 @@ Umístění - + Transform Transformace @@ -6122,15 +6122,15 @@ Chcete uložit provedené změny? PDF formát - + Graphviz format Formát Graphvizu - + Export graph Exportovat graf @@ -7042,7 +7042,7 @@ Do you want to specify another directory? Position - Position + Poloha @@ -8057,8 +8057,8 @@ Do you want to specify another directory? Exportovat PDF... - + Unsaved document Neuložený dokument @@ -8928,8 +8928,8 @@ na aktuální kopii budou ztraceny. Přepnout překrytí - + Toggle floating window Přepnout plovoucí okno @@ -10073,8 +10073,8 @@ na aktuální kopii budou ztraceny. Vytvořit nový prázdný dokument - + Unnamed Nepojmenovaný @@ -12154,17 +12154,17 @@ po spuštění FreeCADu XY-Plane - XY-Plane + Rovina XY XZ-Plane - XZ-Plane + Rovina XZ YZ-Plane - YZ-Plane + Rovina YZ @@ -12174,7 +12174,7 @@ po spuštění FreeCADu Offset: - Offset: + Odsazení: diff --git a/src/Gui/Language/FreeCAD_de.ts b/src/Gui/Language/FreeCAD_de.ts index ccca0fe60976..a90b3a3eac49 100644 --- a/src/Gui/Language/FreeCAD_de.ts +++ b/src/Gui/Language/FreeCAD_de.ts @@ -188,8 +188,8 @@ Positionierung - + Transform Transformieren @@ -433,7 +433,7 @@ Transform - Transformieren + Bewegen @@ -2346,7 +2346,7 @@ Wählen Sie bitte ein anderes Verzeichnis aus. Type - Art + Typ @@ -2742,7 +2742,7 @@ Wählen Sie bitte ein anderes Verzeichnis aus. Clear - Leeren + Löschen @@ -3637,7 +3637,7 @@ Sie können auch das Formular verwenden: John Doe <john@doe.com> Default license - Standard Lizenz + Standard-Lizenz @@ -5563,7 +5563,7 @@ The 'Status' column shows whether the document could be recovered. Transform - Bewegen + Transformierung @@ -6119,15 +6119,15 @@ Sollen die Änderungen gespeichert werden? PDF-Format - + Graphviz format Graphviz-Format - + Export graph Graphik exportieren @@ -8056,8 +8056,8 @@ Möchten Sie ein anderes Verzeichnis angeben? Exportiert als PDF... - + Unsaved document Nicht gespeichertes Dokument @@ -8546,7 +8546,7 @@ Wählen Sie 'Abbrechen' um abzubrechen Clear - Löschen + Leeren @@ -8635,7 +8635,7 @@ Bitte starten Sie einen Browser und geben darin ein: http://localhost:%1. Transform - Transformierung + Bewegen @@ -8925,8 +8925,8 @@ the current copy will be lost. Überlagerungsmodus umschalten - + Toggle floating window Schwebendes Fenster umschalten @@ -8969,7 +8969,7 @@ the current copy will be lost. Show visibility icon - Show visibility icon + Sichtbarkeitssymbol anzeigen @@ -9139,12 +9139,12 @@ the current copy will be lost. UnSuppress - UnSuppress + Unterdrücken aufheben Suppress - Suppress + Unterdrücken @@ -10070,8 +10070,8 @@ the current copy will be lost. Neues Dokument erstellen - + Unnamed Unbenannt @@ -10694,7 +10694,7 @@ Es ist dazu gedacht, Objekte zusammenzustellen, die eine Part-Topoform enthalten Transform - Bewegen + Transformieren @@ -11755,7 +11755,7 @@ Trotzdem fortfahren? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Wenn aktiviert, wird ein Augensymbol vor den Elementen im Baum angezeigt, das den Sichtbarkeits-Status der Elemente anzeigt. Mit einem Klick darauf wird die Sichtbarkeit umgeschaltet @@ -12850,7 +12850,7 @@ display the splash screen Type - Typ + Art diff --git a/src/Gui/Language/FreeCAD_el.ts b/src/Gui/Language/FreeCAD_el.ts index 8ae31a3933fa..70bd0b5848be 100644 --- a/src/Gui/Language/FreeCAD_el.ts +++ b/src/Gui/Language/FreeCAD_el.ts @@ -188,8 +188,8 @@ Τοποθέτηση - + Transform Μετατόπιση @@ -6127,15 +6127,15 @@ Do you want to save your changes? Μορφή PDF - + Graphviz format Graphviz format - + Export graph Εξαγωγή γραφικού @@ -8063,8 +8063,8 @@ Do you want to specify another directory? Πραγματοποιείται εξαγωγή αρχείου PDF... - + Unsaved document Μη αποθηκευμένο έγγραφο @@ -8933,8 +8933,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10078,8 +10078,8 @@ the current copy will be lost. Δημιουργήστε ένα νέο κενό έγγραφο - + Unnamed Ανώνυμο diff --git a/src/Gui/Language/FreeCAD_es-AR.ts b/src/Gui/Language/FreeCAD_es-AR.ts index e256dc3a82eb..52b4cc50634f 100644 --- a/src/Gui/Language/FreeCAD_es-AR.ts +++ b/src/Gui/Language/FreeCAD_es-AR.ts @@ -188,8 +188,8 @@ Ubicación - + Transform Transformar @@ -6122,15 +6122,15 @@ Desea guardar los cambios? Formato PDF - + Graphviz format Formato Graphviz - + Export graph Exportar gráfico @@ -8056,8 +8056,8 @@ Do you want to specify another directory? Exportando a PDF... - + Unsaved document Documento sin guardar @@ -8925,8 +8925,8 @@ la copia actual se perderá. Alternar superposición - + Toggle floating window Alternar ventana flotante @@ -8969,7 +8969,7 @@ la copia actual se perderá. Show visibility icon - Show visibility icon + Mostrar icono de visibilidad @@ -9139,12 +9139,12 @@ la copia actual se perderá. UnSuppress - UnSuppress + Anular la supresión Suppress - Suppress + Suprimir @@ -10070,8 +10070,8 @@ la copia actual se perderá. Crea un documento vacío nuevo - + Unnamed Sin nombre @@ -11755,7 +11755,7 @@ Por favor, compruebe la Vista de Reportes para más detalles. If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Si está activado, mostrar un icono con forma de ojo antes de los elementos de la vista del árbol, mostrando el estado de visibilidad de los elementos. Cuando se hace clic la visibilidad alterna @@ -12165,7 +12165,7 @@ after FreeCAD launches Reverse direction - Dirección inversa + Invertir dirección diff --git a/src/Gui/Language/FreeCAD_es-ES.ts b/src/Gui/Language/FreeCAD_es-ES.ts index 24bc529fc830..63403ef5fc1b 100644 --- a/src/Gui/Language/FreeCAD_es-ES.ts +++ b/src/Gui/Language/FreeCAD_es-ES.ts @@ -188,8 +188,8 @@ Ubicación - + Transform Transformar @@ -5021,7 +5021,7 @@ La columna 'Estado' muestra si el documento puede ser recuperado. Download Manager - Adminitrador de descargas + Administrador de descargas @@ -6125,15 +6125,15 @@ Desea guardar los cambios? Formato PDF - + Graphviz format Formato Graphviz - + Export graph Exportar gráfico @@ -8059,8 +8059,8 @@ Do you want to specify another directory? Exportando a PDF... - + Unsaved document Documento sin guardar @@ -8928,8 +8928,8 @@ la copia actual se perderá. Alternar superposición - + Toggle floating window Alternar ventana flotante @@ -8972,7 +8972,7 @@ la copia actual se perderá. Show visibility icon - Show visibility icon + Mostrar icono de visibilidad @@ -10073,8 +10073,8 @@ la copia actual se perderá. Crea un documento vacío nuevo - + Unnamed Sin nombre @@ -11215,7 +11215,7 @@ Está pensado para organizar objetos que tienen una parte de TopoShape, como pri &Windows... - &Ventanas... + Venta&nas... diff --git a/src/Gui/Language/FreeCAD_eu.ts b/src/Gui/Language/FreeCAD_eu.ts index 4acb42fd5040..d7b6bcddf766 100644 --- a/src/Gui/Language/FreeCAD_eu.ts +++ b/src/Gui/Language/FreeCAD_eu.ts @@ -188,8 +188,8 @@ Kokapena - + Transform Transformatu @@ -6131,15 +6131,15 @@ Aldaketak gorde nahi dituzu? PDF formatua - + Graphviz format Graphviz formatua - + Export graph Esportatu grafikoa @@ -8068,8 +8068,8 @@ Beste direktorio bat aukeratu nahi al duzu? PDFa esportatzen... - + Unsaved document Gorde gabeko dokumentua @@ -8938,8 +8938,8 @@ egindako aldaketak galdu egingo direla. Txandakatu gainjartzea - + Toggle floating window Txandakatu leiho flotagarria @@ -10083,8 +10083,8 @@ egindako aldaketak galdu egingo direla. Sortu dokumentu huts berri bat - + Unnamed Izenik gabea diff --git a/src/Gui/Language/FreeCAD_fi.ts b/src/Gui/Language/FreeCAD_fi.ts index 02eba56c73e3..53e5831722e5 100644 --- a/src/Gui/Language/FreeCAD_fi.ts +++ b/src/Gui/Language/FreeCAD_fi.ts @@ -188,8 +188,8 @@ Sijainti - + Transform Muunna @@ -6129,15 +6129,15 @@ Do you want to save your changes? PDF-muoto - + Graphviz format Graphviz format - + Export graph Vie kaavio @@ -8064,8 +8064,8 @@ Haluatko valita toisen hakemiston? Viedään PDF... - + Unsaved document Tallentamaton asiakirja @@ -8934,8 +8934,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10079,8 +10079,8 @@ the current copy will be lost. Luo uusi tyhjä asiakirja - + Unnamed Nimetön diff --git a/src/Gui/Language/FreeCAD_fr.ts b/src/Gui/Language/FreeCAD_fr.ts index 7df4c0b446c2..62108f640c6c 100644 --- a/src/Gui/Language/FreeCAD_fr.ts +++ b/src/Gui/Language/FreeCAD_fr.ts @@ -188,8 +188,8 @@ Position - + Transform Transformer @@ -423,7 +423,7 @@ Default - Par défaut + Défaut @@ -561,7 +561,7 @@ Please wait until the AutoRecovery file has been saved... - Veuillez patienter jusqu'à ce que le fichier de récupération automatique ait été enregistré... + Patienter jusqu'à ce que le fichier de récupération automatique ait été enregistré... @@ -597,7 +597,7 @@ Press middle mouse button - Appuyer sur la roulette de la souris + Appuyez sur la roulette de la souris @@ -1392,7 +1392,7 @@ same time. The one with the highest priority will be triggered. none - rien + aucun @@ -2135,7 +2135,7 @@ Peut-être une erreur de permission du fichier ? You have no write permission for the directory. Please, choose another one. - Vous n'avez pas d'autorisation en écriture pour ce répertoire. Veuillez en choisir un autre. + Vous n'avez pas les droits en écriture pour le répertoire. Veuillez en choisir un autre. @@ -2598,7 +2598,7 @@ Specify another directory, please. License URL - URL de licence + URL de la licence @@ -2714,7 +2714,7 @@ Specify another directory, please. If enabled, then 3D view selection will be synchronized with full object hierarchy. - Si activé, la sélection de la vue 3D sera synchronisée avec la hiérarchie complète des objets. + Si cette option est cochée, la sélection de la vue 3D sera synchronisée avec la hiérarchie complète des objets. @@ -2785,7 +2785,7 @@ Specify another directory, please. TextLabel - Étiquette de texte + TextLabel @@ -3149,7 +3149,7 @@ la taille de la boîte englobante de l'objet 3D affichée. Open a new viewer or restart %1 to apply anti-aliasing changes. - Ouvrir une nouvelle visionneuse ou redémarrer %1 pour appliquer les modifications d'anticrénelage. + Ouvrir une nouvelle fenêtre ou redémarrer %1 pour appliquer les modifications d'anticrénelage. @@ -3708,7 +3708,7 @@ Vous pouvez également utiliser la forme : John Doe <john@doe.com> License URL - URL de licence + URL de la licence @@ -4110,7 +4110,7 @@ Vous pouvez également utiliser la forme : John Doe <john@doe.com> Default - Défaut + Par défaut @@ -4135,7 +4135,7 @@ Vous pouvez également utiliser la forme : John Doe <john@doe.com> Color - Couleur + Colorier @@ -4940,12 +4940,12 @@ La colonne "État" indique si le document a pu être récupéré. Error saving: %1 - Erreur d'enregistrement: %1 + Erreur d'enregistrement : %1 Network Error: %1 - Erreur réseau : %1 + Erreur de réseau : %1 @@ -5018,7 +5018,7 @@ La colonne "État" indique si le document a pu être récupéré. 1 Download - 1 Téléchargement + 1 téléchargement @@ -5281,19 +5281,19 @@ La colonne "État" indique si le document a pu être récupéré. X: - X : + X : Y: - Y : + Y : Z: - Z : + Z : @@ -6118,15 +6118,15 @@ Voulez enregistrer les modifications ? Format PDF - + Graphviz format Format Graphviz - + Export graph Exporter un graphique @@ -6154,7 +6154,7 @@ Voulez enregistrer les modifications ? Press middle mouse button - Appuyer sur la molette de la souris + Appuyer sur la roulette de la souris @@ -6344,7 +6344,7 @@ Voulez enregistrer les modifications ? Unsaved document - Document non sauvegardé + Document non enregistré @@ -6872,7 +6872,7 @@ Voulez vous quitter sans sauvegarder vos données? none - aucun + rien @@ -7066,7 +7066,7 @@ Do you want to specify another directory? TextLabel - TextLabel + Étiquette de texte @@ -7216,7 +7216,7 @@ Do you want to specify another directory? Press middle mouse button - Appuyez sur la roulette de la souris + Appuyer sur la molette de la souris @@ -7688,7 +7688,7 @@ Do you want to specify another directory? Export PDF - Exporter vers PDF + Exporter en PDF @@ -7770,17 +7770,17 @@ Do you want to specify another directory? X: - X : + X : Y: - Y : + Y : Z: - Z : + Z : @@ -8050,10 +8050,10 @@ Do you want to specify another directory? Exportation PDF ... - + Unsaved document - Document non enregistré + Document non sauvegardé @@ -8920,8 +8920,8 @@ apportée à la copie en cours sera perdue. Activer/désactiver la superposition - + Toggle floating window Activer/désactiver la fenêtre flottante @@ -8964,7 +8964,7 @@ apportée à la copie en cours sera perdue. Show visibility icon - Show visibility icon + Afficher l'icône de visibilité @@ -9134,12 +9134,12 @@ apportée à la copie en cours sera perdue. UnSuppress - UnSuppress + Annuler la suppression Suppress - Suppress + Supprimer @@ -10003,7 +10003,7 @@ Contrairement aux clones, les liens font directement référence à la forme d'o Measure distance - Mesurer une distance + Mesurer la distance @@ -10017,7 +10017,7 @@ Contrairement aux clones, les liens font directement référence à la forme d'o Measure distance - Mesurer la distance + Mesurer une distance @@ -10066,8 +10066,8 @@ Contrairement aux clones, les liens font directement référence à la forme d'o Créer un nouveau document vide - + Unnamed Sans nom @@ -11753,7 +11753,7 @@ Voulez-vous tout de même continuer ? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Si cette option est cochée, une icône en forme d'œil apparaît devant les éléments de la vue en arborescence, indiquant l'état de visibilité des éléments. Lorsque l'on clique sur l'icône, la visibilité est modifiée. @@ -11879,7 +11879,7 @@ Voulez-vous tout de même continuer ? Export PDF - Exporter en PDF + Exporter vers PDF @@ -12726,10 +12726,9 @@ after FreeCAD launches will be substituted with locale separator, except in Python Console and Macro Editor where a dot/period will always be printed. - Si activé, le séparateur décimal du pavé numérique -sera remplacé par le séparateur de la langue du système, -sauf dans la console Python et l'éditeur de Macro où un -point sera toujours affiché. + Si cette option est cochée, le séparateur décimal du pavé numérique sera remplacé +par le séparateur de la langue du système, sauf dans la console Python et l'éditeur +de macro où un point sera toujours affiché. @@ -13542,7 +13541,7 @@ Le clic automatique n'est activé que si tous les pixels de la région sont non None - Rien + Aucun diff --git a/src/Gui/Language/FreeCAD_gl.ts b/src/Gui/Language/FreeCAD_gl.ts index c98a568b1c27..19d8edef935c 100644 --- a/src/Gui/Language/FreeCAD_gl.ts +++ b/src/Gui/Language/FreeCAD_gl.ts @@ -188,8 +188,8 @@ Emprazamento - + Transform Transformar @@ -6131,15 +6131,15 @@ Quere gardar os cambios? Formato PDF - + Graphviz format Graphviz format - + Export graph Exportar gráfico @@ -8070,8 +8070,8 @@ Quere especificar outro directorio? Exportando en PDF... - + Unsaved document Documento non gardado @@ -8939,8 +8939,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10084,8 +10084,8 @@ the current copy will be lost. Abrir un documento novo baleiro - + Unnamed Sen nome diff --git a/src/Gui/Language/FreeCAD_hr.ts b/src/Gui/Language/FreeCAD_hr.ts index e7f71033d142..c569d42192ce 100644 --- a/src/Gui/Language/FreeCAD_hr.ts +++ b/src/Gui/Language/FreeCAD_hr.ts @@ -188,8 +188,8 @@ Položaj - + Transform Transformiraj @@ -6161,15 +6161,15 @@ Do you want to save your changes? PDF format - + Graphviz format Graphviz format - + Export graph Izvoz grafikona @@ -8105,8 +8105,8 @@ Do you want to specify another directory? Izvoz PDF ... - + Unsaved document Nespremljeni dokument @@ -8980,8 +8980,8 @@ trenutnu kopiju će biti izgubljene. Uključite/isključite prekrivanje - + Toggle floating window Uključite/isključite slobodan prozor @@ -10132,8 +10132,8 @@ trenutnu kopiju će biti izgubljene. Kreira novi prazni dokument - + Unnamed Neimenovano diff --git a/src/Gui/Language/FreeCAD_hu.ts b/src/Gui/Language/FreeCAD_hu.ts index cb300754c920..f1f0891dbf7d 100644 --- a/src/Gui/Language/FreeCAD_hu.ts +++ b/src/Gui/Language/FreeCAD_hu.ts @@ -188,8 +188,8 @@ Elhelyezés - + Transform Átalakítás @@ -2787,7 +2787,7 @@ Kérem válasszon másik könyvtárat. TextLabel - Szövegcimke + Szövegfelirat @@ -6124,15 +6124,15 @@ El akarja menteni a változásokat? PDF formátum - + Graphviz format Graphviz formátum - + Export graph Export grafikon @@ -7077,7 +7077,7 @@ Meg szeretne adni egy másik könyvtárat? TextLabel - Szövegfelirat + Szövegcimke @@ -8061,8 +8061,8 @@ Meg szeretne adni egy másik könyvtárat? PDF exportálása... - + Unsaved document Nem mentett dokumentum @@ -8932,8 +8932,8 @@ az aktuális példány elveszik. Átfedés váltása - + Toggle floating window Lebegő ablak váltása @@ -8976,7 +8976,7 @@ az aktuális példány elveszik. Show visibility icon - Show visibility icon + Megjeleníti a láthatóság ikont @@ -9146,12 +9146,12 @@ az aktuális példány elveszik. UnSuppress - UnSuppress + Némítás visszavonása Suppress - Suppress + Elnémít @@ -10077,8 +10077,8 @@ az aktuális példány elveszik. Új üres munkalap létrehozása - + Unnamed Névtelen @@ -11762,7 +11762,7 @@ Még mindig fojtatni szeretné? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Ha engedélyezett, a fa nézet elemei előtt megjelenik egy szem ikon, amely az elemek láthatósági állapotát mutatja. Kattintásra a láthatóság változik diff --git a/src/Gui/Language/FreeCAD_id.ts b/src/Gui/Language/FreeCAD_id.ts index 407f38aeb05b..5f63f510b753 100644 --- a/src/Gui/Language/FreeCAD_id.ts +++ b/src/Gui/Language/FreeCAD_id.ts @@ -188,8 +188,8 @@ Penempatan - + Transform Transform @@ -6121,15 +6121,15 @@ Do you want to save your changes? Format PDF - + Graphviz format Graphviz format - + Export graph Grafik ekspor @@ -8050,8 +8050,8 @@ Do you want to specify another directory? Mengekspor PDF... - + Unsaved document Dokumen yang belum disimpan @@ -8917,8 +8917,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10062,8 +10062,8 @@ the current copy will be lost. Buat dokumen kosong baru - + Unnamed Tanpa nama diff --git a/src/Gui/Language/FreeCAD_it.ts b/src/Gui/Language/FreeCAD_it.ts index 9d76f2152fa7..8870ef00bed2 100644 --- a/src/Gui/Language/FreeCAD_it.ts +++ b/src/Gui/Language/FreeCAD_it.ts @@ -188,8 +188,8 @@ Posizionamento - + Transform Trasforma @@ -6125,15 +6125,15 @@ Si desidera salvare le modifiche? Formato PDF - + Graphviz format Formato Graphviz - + Export graph Esporta grafico @@ -8061,8 +8061,8 @@ Vuoi specificare un'altra cartella? Esportazione PDF... - + Unsaved document Documento non salvato @@ -8933,8 +8933,8 @@ la copia corrente andranno perse. Attiva/disattiva sovrapposizione - + Toggle floating window Attiva/disattiva finestra fluttuante @@ -8977,7 +8977,7 @@ la copia corrente andranno perse. Show visibility icon - Show visibility icon + Mostra icona di visibilità @@ -9147,12 +9147,12 @@ la copia corrente andranno perse. UnSuppress - UnSuppress + Annullare soppressione Suppress - Suppress + Sopprime @@ -10078,8 +10078,8 @@ la copia corrente andranno perse. Crea un documento vuoto - + Unnamed Senza nome @@ -11763,7 +11763,7 @@ Si desidera ancora procedere? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Se abilitata, mostra un'icona ad occhio prima degli elementi della vista ad albero che mostran lo stato di visibilità degli elementi. Quando fai clic sulla visibilità viene attivata o meno diff --git a/src/Gui/Language/FreeCAD_ja.ts b/src/Gui/Language/FreeCAD_ja.ts index 8430fc3f70b6..cd319c5bf154 100644 --- a/src/Gui/Language/FreeCAD_ja.ts +++ b/src/Gui/Language/FreeCAD_ja.ts @@ -188,8 +188,8 @@ 配置 - + Transform 変換 @@ -6099,15 +6099,15 @@ Do you want to save your changes? PDF形式 - + Graphviz format Graphviz format - + Export graph グラフをエクスポート @@ -7017,7 +7017,7 @@ Do you want to specify another directory? Position - Position + 位置 @@ -8032,8 +8032,8 @@ Do you want to specify another directory? PDF ファイルをエクスポートしています - + Unsaved document 未保存のドキュメント @@ -8897,8 +8897,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10042,8 +10042,8 @@ the current copy will be lost. 新しい空のドキュメントを作成 - + Unnamed Unnamed diff --git a/src/Gui/Language/FreeCAD_ka.ts b/src/Gui/Language/FreeCAD_ka.ts index 24f2bdd50538..278aa95c9bb5 100644 --- a/src/Gui/Language/FreeCAD_ka.ts +++ b/src/Gui/Language/FreeCAD_ka.ts @@ -188,8 +188,8 @@ მდებარეობა - + Transform გარდაქმნა @@ -592,12 +592,12 @@ Press left mouse button - დააწექით მარცხენა თაგუნას ღილაკს + დააჭირეთ თაგუნის მარცხენა ღილაკს Press middle mouse button - დააწექით შუა თაგუნას ღილაკს + დააჭირეთ თაგუნის შუა ღილაკს @@ -1173,7 +1173,7 @@ If this is not ticked, then the property must be uniquely named, and it is acces Remove - წაშლა + მოცილება @@ -1884,7 +1884,7 @@ same time. The one with the highest priority will be triggered. Rename - გადარქმევა + სახელის გადარქმევა @@ -2444,7 +2444,7 @@ Specify another directory, please. Reset - დაბრუნება + საწყის მნიშვნელობებზე დაბრუნება @@ -2740,7 +2740,7 @@ Specify another directory, please. Reset - საწყის მნიშვნელობებზე დაბრუნება + დაბრუნება @@ -2791,7 +2791,7 @@ Specify another directory, please. TextLabel - ტექსტური ჭდე + ტექსტური წარწერა @@ -4812,7 +4812,7 @@ The preference system is the one set in the general preferences. Placement - მდებარეობა + განლაგება @@ -5275,7 +5275,7 @@ The 'Status' column shows whether the document could be recovered. Placement - განლაგება + მდებარეობა @@ -5333,7 +5333,7 @@ The 'Status' column shows whether the document could be recovered. Rotation: - ბრუნვა: + შემობრუნება: @@ -6123,15 +6123,15 @@ Do you want to save your changes? PDF ფორმატი - + Graphviz format Graphviz-ის ფორმატი - + Export graph გრაფიკის გატანა @@ -6169,7 +6169,7 @@ Do you want to save your changes? Scroll middle mouse button - დაატრიალეთ შუა თაგუნას ღილაკი + დაატრიალეთ თაგუნის ბორბალი @@ -7076,7 +7076,7 @@ Do you want to specify another directory? TextLabel - ტექსტური წარწერა + ტექსტური ჭდე @@ -7091,7 +7091,7 @@ Do you want to specify another directory? Remove - მოცილება + წაშლა @@ -7226,7 +7226,7 @@ Do you want to specify another directory? Press middle mouse button - დააჭირეთ თაგუნის შუა ღილაკს + დააწექით შუა თაგუნას ღილაკს @@ -7236,7 +7236,7 @@ Do you want to specify another directory? Scroll middle mouse button - დაატრიალეთ თაგუნის ბორბალი + დაატრიალეთ შუა თაგუნას ღილაკი @@ -7244,7 +7244,7 @@ Do you want to specify another directory? Press left mouse button - დააჭირეთ თაგუნის მარცხენა ღილაკს + დააწექით მარცხენა თაგუნას ღილაკს @@ -7485,7 +7485,7 @@ Do you want to specify another directory? Tree view - ელემენტების ხე + ხის ხედი @@ -7582,7 +7582,7 @@ Do you want to specify another directory? Rename - სახელის გადარქმევა + გადარქმევა @@ -7888,7 +7888,7 @@ Do you want to specify another directory? Tree view - ხის ხედი + ელემენტების ხე @@ -8060,8 +8060,8 @@ Do you want to specify another directory? PDF-ად გატანა... - + Unsaved document შეუნახავი დოკუმენტი @@ -8714,7 +8714,7 @@ Please open a browser window and type in: http://localhost:%1. Rotation: - შემობრუნება: + ბრუნვა: @@ -8931,8 +8931,8 @@ the current copy will be lost. განლაგების გადართვა - + Toggle floating window მცურავი ფანჯრის გადართვა @@ -8975,7 +8975,7 @@ the current copy will be lost. Show visibility icon - Show visibility icon + ხილვადობის ხატულის ჩვენება @@ -9145,12 +9145,12 @@ the current copy will be lost. UnSuppress - UnSuppress + მოცილების გაუქმება Suppress - Suppress + მოცილება @@ -10076,8 +10076,8 @@ the current copy will be lost. ახალი ცარიელი პროექტის შექმნა - + Unnamed უსახელო @@ -11175,7 +11175,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Trimetric - ტრიმეტრიული + ტრიმეტრული @@ -11259,7 +11259,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Fullscreen - მთელ ეკრანზე + მთლიან ეკრანზე ჩვენების რეჟიმი @@ -11497,7 +11497,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Display the active view either in fullscreen, in undocked or docked mode - აქტიური ხედის მთელ ეკრანზე, დოკზე მიმაგრებულ ან დოკიდან მოხსნილ რეჟიმში ჩვენება + აქტიური ხედის მთელ ეკრანზე, მომძვრალ ან მიმაგრებულ რეჟიმში ჩვენება @@ -11505,7 +11505,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Fullscreen - მთლიან ეკრანზე ჩვენების რეჟიმი + მთელ ეკრანზე @@ -11539,7 +11539,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Display the active view either in fullscreen, in undocked or docked mode - აქტიური ხედის მთელ ეკრანზე, მომძვრალ ან მიმაგრებულ რეჟიმში ჩვენება + აქტიური ხედის მთელ ეკრანზე, დოკზე მიმაგრებულ ან დოკიდან მოხსნილ რეჟიმში ჩვენება @@ -11760,7 +11760,7 @@ Do you still want to proceed? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + თუ ჩართულია, აჩვენე თვალის ხატულა ხის ხედის ელემენტებამდე, რომელიც ელემენტის ხილვადობის სტატუსს აჩვენებს. დაწკაპუნებისას ხილვადობა გადაირთვება @@ -12236,7 +12236,7 @@ FreeCAD-ის გაშვების შემდეგ Apply - დადება + გადატარება @@ -12936,7 +12936,7 @@ display the splash screen Apply - გადატარება + დადება diff --git a/src/Gui/Language/FreeCAD_ko.ts b/src/Gui/Language/FreeCAD_ko.ts index 18415ff5558d..2da5ab2698bd 100644 --- a/src/Gui/Language/FreeCAD_ko.ts +++ b/src/Gui/Language/FreeCAD_ko.ts @@ -189,8 +189,8 @@ 위치 설정 - + Transform 변환하기 @@ -6125,15 +6125,15 @@ Do you want to save your changes? PDF형식 - + Graphviz format Graphviz format - + Export graph 그래프 내보내기 @@ -8061,8 +8061,8 @@ Do you want to specify another directory? PDF로 내보내기... - + Unsaved document 저장하지 않은 문서 @@ -8927,8 +8927,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10072,8 +10072,8 @@ the current copy will be lost. 비어 있는 새 문서 만들기 - + Unnamed 이름없음 diff --git a/src/Gui/Language/FreeCAD_nl.ts b/src/Gui/Language/FreeCAD_nl.ts index 02d7734efe9d..58b46255d939 100644 --- a/src/Gui/Language/FreeCAD_nl.ts +++ b/src/Gui/Language/FreeCAD_nl.ts @@ -188,8 +188,8 @@ Plaatsing - + Transform Transformeren @@ -867,7 +867,7 @@ while doing a left or right click and move the mouse up or down View - Weergave + Aanzicht @@ -1484,7 +1484,7 @@ same time. The one with the highest priority will be triggered. Command - Opdracht + Commando @@ -2101,7 +2101,7 @@ Misschien een fout met bestandsrechten? Close - Afsluiten + Sluiten @@ -2333,7 +2333,7 @@ Kies een andere map, alstublieft. Group - Groeperen + Groep @@ -4780,7 +4780,7 @@ Het voorkeurssysteem is het systeem dat in de algemene voorkeuren is ingesteld.< Close - Sluiten + Afsluiten @@ -5423,7 +5423,7 @@ The 'Status' column shows whether the document could be recovered. Command - Commando + Opdracht @@ -6108,15 +6108,15 @@ Wilt u uw wijzigingen opslaan? PDF formaat - + Graphviz format Graphviz format - + Export graph Grafiek exporteren @@ -7517,7 +7517,7 @@ Wilt u een andere map opgeven? Group - Groep + Groeperen @@ -8041,8 +8041,8 @@ Wilt u een andere map opgeven? Exporteren van PDF ... - + Unsaved document Niet-opgeslagen document @@ -8907,8 +8907,8 @@ de huidige kopie verloren gaat. Schakel scherm zichtbaarheid in/uit - + Toggle floating window Zet zwevend venster aan/uit @@ -8951,7 +8951,7 @@ de huidige kopie verloren gaat. Show visibility icon - Show visibility icon + Pictogram voor zichtbaarheid weergeven @@ -9139,7 +9139,7 @@ de huidige kopie verloren gaat. Selection not allowed by filter - Selectie niet toegestaan door de filter + Selectie niet toegestaan door het filter @@ -10052,8 +10052,8 @@ de huidige kopie verloren gaat. Maak een nieuw leeg document - + Unnamed Naamloos @@ -11845,7 +11845,7 @@ Wilt u toch doorgaan? View - Aanzicht + Weergave diff --git a/src/Gui/Language/FreeCAD_pl.ts b/src/Gui/Language/FreeCAD_pl.ts index 118262725e2c..60b744641c06 100644 --- a/src/Gui/Language/FreeCAD_pl.ts +++ b/src/Gui/Language/FreeCAD_pl.ts @@ -80,7 +80,7 @@ Run test cases to verify console messages - Uruchom przypadki testowe w celu weryfikacji wiadomości z konsoli + Uruchom testy w celu zweryfikowania komunikatów konsoli @@ -188,8 +188,8 @@ Umiejscowienie - + Transform Przemieszczenie @@ -423,7 +423,7 @@ Default - Domyślnie + Domyślny @@ -579,7 +579,7 @@ Press middle mouse button - Wciśnij środkowy przycisk myszki + Naciśnij środkowy przycisk myszy @@ -592,12 +592,12 @@ Press left mouse button - Naciśnij lewy przycisk myszki + Wciśnij lewy przycisk myszki Press middle mouse button - Wciśnij środkowy przycisk myszki + Naciśnij środkowy przycisk myszy @@ -1124,7 +1124,7 @@ Jeśli ta opcja nie jest zaznaczona, właściwość musi być jednoznacznie nazw Macros - Makropolecenie + Makrodefinicje @@ -1904,7 +1904,8 @@ wyzwolone zostanie to, które ma najwyższy priorytet. Open Addon Manager where macros created by the community and other addons can be downloaded. - Otwórz Menedżera dodatków, gdzie można pobrać makrodefinicje utworzone przez społeczność oraz inne dodatki. + Otwórz Menedżera dodatków, gdzie można pobrać +makrodefinicje utworzone przez społeczność oraz inne dodatki. @@ -2420,7 +2421,8 @@ Proszę podać inny katalog. Toggle visibility of Addon preference pack '%1' (use Addon Manager to permanently remove) - Przełącz widoczność pakietu preferencji dodatku '%1' (użyj Menedżera dodatków, aby usunąć na stałe) + Przełącz widoczność paczki preferencji dodatków: '%1' +(użyj Menedżera Dodatków, aby trwale usunąć) @@ -2443,7 +2445,7 @@ Proszę podać inny katalog. Reset - Resetuj + Reset @@ -2515,7 +2517,8 @@ Proszę podać inny katalog. You must restart FreeCAD for changes to take effect. - Musisz zrestartować FreeCAD, aby zmiany zaczęły obowiązywać. + Musisz zrestartować FreeCAD, +aby zmiany zaczęły obowiązywać. @@ -2739,7 +2742,7 @@ Proszę podać inny katalog. Reset - Reset + Resetuj @@ -2759,7 +2762,7 @@ Proszę podać inny katalog. Revert to Backup Config - Przywróć konfigurację kopii zapasowej + Przywróć konfigurację z kopii zapasowej @@ -3039,7 +3042,8 @@ ale wolniej reaguje na każdą zmianę ujęcia. Size of vertices in the Sketcher, TechDraw and other workbenches - Rozmiar wierzchołków w Szkicowniku, Rysunku Technicznym i innych środowiskach pracy + Rozmiar wierzchołków w Szkicowniku, Rysunku Technicznym +i innych środowiskach pracy @@ -3698,7 +3702,7 @@ Możesz również skorzystać z formatki: John Doe <john@doe.com> CERN Open Hardware Licence strongly-reciprocal - Licencja CERN Open Hardware silnie oparta na zasadzie wzajemności + Licencja CERN Open Hardware silnie wzajemna @@ -3926,7 +3930,7 @@ Możesz również skorzystać z formatki: John Doe <john@doe.com> Macro - Makropolecenia + Makrodefinicje @@ -4120,7 +4124,7 @@ Możesz również skorzystać z formatki: John Doe <john@doe.com> Default - Domyślny + Domyślnie @@ -4467,7 +4471,7 @@ Ustaw wartość 0, aby wyłączyć. Other - Pozostałe + Inne @@ -5534,7 +5538,7 @@ Kolumna "Aktualny status" pokazuje, czy dokument może być odzyskany. Environment - Środowisko + Otoczenie @@ -6128,15 +6132,15 @@ Do you want to save your changes? Format PDF - + Graphviz format Format Graphviz - + Export graph Eksport wykresu @@ -6280,7 +6284,7 @@ Do you want to save your changes? Macros - Makrodefinicje + Makropolecenie @@ -6354,7 +6358,7 @@ Do you want to save your changes? Unsaved document - Niezapisany dokument + Dokument niezapisany @@ -7197,7 +7201,7 @@ Do you want to specify another directory? Unsaved document - Dokument niezapisany + Niezapisany dokument @@ -7226,7 +7230,7 @@ Do you want to specify another directory? Press middle mouse button - Wciśnij środkowy przycisk myszki + Naciśnij środkowy przycisk myszki @@ -7244,7 +7248,7 @@ Do you want to specify another directory? Press left mouse button - Wciśnij lewy przycisk myszki + Naciśnij lewy przycisk myszki @@ -7698,7 +7702,7 @@ Do you want to specify another directory? Export PDF - Eksportuj do PDF + Eksportuj do formatu PDF @@ -8006,7 +8010,9 @@ Do you want to specify another directory? This system is running OpenGL %1.%2. FreeCAD requires OpenGL 2.0 or above. Please upgrade your graphics driver and/or card as required. - W tym systemie działa OpenGL w wersji %1.%2. FreeCAD wymaga OpenGL 2.0 lub nowszego. W razie potrzeby zaktualizuj sterownik i/lub kartę graficzną. + W tym systemie działa OpenGL w wersji %1.%2. +FreeCAD wymaga OpenGL 2.0 lub nowszego. +W razie potrzeby zaktualizuj sterownik i / lub kartę graficzną. @@ -8032,7 +8038,10 @@ Do you want to specify another directory? There were errors while loading the file. Some data might have been modified or not recovered at all. Look in the report view for more specific information about the objects involved. - Podczas wczytywania pliku wystąpiły błędy. Niektóre dane mogły zostać zmodyfikowane lub w ogóle nie zostały odtworzone. Zajrzyj do widoku raportu w celu uzyskania bardziej szczegółowych informacji na temat obiektów, których to dotyczy. + Podczas wczytywania pliku wystąpiły błędy. +Niektóre dane mogły zostać zmodyfikowane lub w ogóle nie zostały odtworzone. +Zajrzyj do widoku raportu w celu uzyskania bardziej szczegółowych informacji +na temat obiektów, których to dotyczy. @@ -8060,8 +8069,8 @@ Do you want to specify another directory? Eksportuj do PDF... - + Unsaved document Niezapisany dokument @@ -8225,7 +8234,7 @@ Do you want to continue? Choose an image file to open - Wybierz plik obrazu, aby otworzyć + Wybierz plik obrazu do otwarcia @@ -8368,7 +8377,8 @@ Do you want to continue? Too many opened non-intrusive notifications. Notifications are being omitted! - Zbyt wiele otwartych powiadomień. Powiadomienia są pomijane! + Zbyt wiele otwartych powiadomień. +Powiadomienia są pomijane! @@ -8387,7 +8397,7 @@ Do you want to continue? Please check report view for more... - Proszę, sprawdź widok raportu, aby uzyskać więcej informacji ... + Proszę sprawdzić widok raportu w celu uzyskania dodatkowych informacji ... @@ -8830,7 +8840,8 @@ podkreślenie i nie może zaczynać się od cyfry. Apply the setting to all links. Or, uncheck this option to apply only to this link. - Zastosuj to ustawienie do wszystkich łączy. Można też usunąć zaznaczenie tej opcji, + Zastosuj to ustawienie do wszystkich łączy. +Można też usunąć zaznaczenie tej opcji, aby zastosować ustawienie tylko do bieżącego łącza. @@ -8930,8 +8941,8 @@ bieżącej kopii zostaną utracone. Włącz / wyłącz nakładkę - + Toggle floating window Włącz / wyłącz pływające okno @@ -8974,7 +8985,7 @@ bieżącej kopii zostaną utracone. Show visibility icon - Show visibility icon + Pokaż ikonkę widoczności @@ -9144,12 +9155,12 @@ bieżącej kopii zostaną utracone. UnSuppress - UnSuppress + Nie wstrzymuj Suppress - Suppress + Wstrzymaj @@ -10075,8 +10086,8 @@ bieżącej kopii zostaną utracone. Utwórz nowy pusty dokument - + Unnamed Nienazwany @@ -10965,7 +10976,7 @@ Służy do rozmieszczania obiektów, które mają kształt topologiczny, takich Isometric - Izometryczny + Widok izometryczny @@ -11259,7 +11270,7 @@ Służy do rozmieszczania obiektów, które mają kształt topologiczny, takich Fullscreen - Pełny ekran + Cały ekran @@ -11497,7 +11508,7 @@ Służy do rozmieszczania obiektów, które mają kształt topologiczny, takich Display the active view either in fullscreen, in undocked or docked mode - Wyświetl aktywny widok w trybie pełnoekranowym, w trybie niezadokowanym lub zadokowanym + Wyświetl aktywny widok na pełnym ekranie, w trybie niezadokowanym lub zadokowanym @@ -11505,7 +11516,7 @@ Służy do rozmieszczania obiektów, które mają kształt topologiczny, takich Fullscreen - Cały ekran + Pełny ekran @@ -11539,7 +11550,7 @@ Służy do rozmieszczania obiektów, które mają kształt topologiczny, takich Display the active view either in fullscreen, in undocked or docked mode - Wyświetl aktywny widok na pełnym ekranie, w trybie niezadokowanym lub zadokowanym + Wyświetl aktywny widok w trybie pełnoekranowym, w trybie niezadokowanym lub zadokowanym @@ -11760,7 +11771,9 @@ Czy nadal chcesz kontynuować? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Jeśli opcja ta jest włączona, przed elementami widoku drzewa wyświetlana jest ikonka oka, +pokazująca stan widoczności elementów. +Po kliknięciu widoczność jest przełączana. @@ -11863,7 +11876,7 @@ Czy nadal chcesz kontynuować? Macro - Makrodefinicje + Makropolecenia @@ -11886,7 +11899,7 @@ Czy nadal chcesz kontynuować? Export PDF - Eksportuj do formatu PDF + Eksportuj do PDF @@ -12249,7 +12262,8 @@ po uruchomieniu FreeCAD If unchecked, %1 will not appear in the available workbenches. - Jeśli opcja jest odznaczona, %1 nie pojawi się na liście dostępnych środowisk pracy. + Jeśli ta opcja jest odznaczona, środowisko pracy %1 +nie pojawi się na liście dostępnych. @@ -12269,7 +12283,8 @@ po uruchomieniu FreeCAD If checked, %1 will be loaded automatically when FreeCAD starts up - Jeśli opcja jest zaznaczona, %1 zostanie załadowany automatycznie po uruchomieniu programu FreeCAD + Jeśli ta opcja jest zaznaczona, środowisko pracy%1 +zostanie załadowane automatycznie po uruchomieniu programu FreeCAD @@ -13664,7 +13679,7 @@ gdy wszystkie piksele wewnątrz regionu są nieprzezroczyste. Locks toolbar so they are no longer moveable - Blokuje pasek narzędzi, dzięki czemu nie można już go przesuwać. + Blokuje paski narzędzi, aby nie można było ich przesuwać. @@ -13677,7 +13692,7 @@ gdy wszystkie piksele wewnątrz regionu są nieprzezroczyste. Show the property view, which displays the properties of the selected object. - Wyświetla widok właściwości, który wyświetla właściwości wybranego obiektu. + Pokazuje widok właściwości, który wyświetla właściwości wybranego obiektu. diff --git a/src/Gui/Language/FreeCAD_pt-BR.ts b/src/Gui/Language/FreeCAD_pt-BR.ts index c8362287ed4d..d4e62828e7f2 100644 --- a/src/Gui/Language/FreeCAD_pt-BR.ts +++ b/src/Gui/Language/FreeCAD_pt-BR.ts @@ -188,8 +188,8 @@ Posicionamento - + Transform Transformar @@ -6121,15 +6121,15 @@ Deseja salvar as alterações? Formato PDF - + Graphviz format Graphviz format - + Export graph Exportar gráfico @@ -8053,8 +8053,8 @@ Do you want to specify another directory? Exportar PDF... - + Unsaved document Documento não salvo @@ -8920,8 +8920,8 @@ cópia atual será perdida. Toggle overlay - + Toggle floating window Toggle floating window @@ -10065,8 +10065,8 @@ cópia atual será perdida. Criar um novo documento vazio - + Unnamed Sem nome diff --git a/src/Gui/Language/FreeCAD_pt-PT.ts b/src/Gui/Language/FreeCAD_pt-PT.ts index 928300158e8a..e5411f3c92c4 100644 --- a/src/Gui/Language/FreeCAD_pt-PT.ts +++ b/src/Gui/Language/FreeCAD_pt-PT.ts @@ -188,8 +188,8 @@ Colocação - + Transform Transformar @@ -6125,15 +6125,15 @@ Deseja guardar as suas alterações? Formato PDF - + Graphviz format Formato do Gráfico - + Export graph Exportar gráfico @@ -8060,8 +8060,8 @@ Quer especificar outro diretório? A exportar PDF ... - + Unsaved document Documento não guardado @@ -8929,8 +8929,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10074,8 +10074,8 @@ the current copy will be lost. Criar um Novo Documento vazio - + Unnamed Sem nome diff --git a/src/Gui/Language/FreeCAD_ro.ts b/src/Gui/Language/FreeCAD_ro.ts index 0c45bec7050c..cf6c0ec1babf 100644 --- a/src/Gui/Language/FreeCAD_ro.ts +++ b/src/Gui/Language/FreeCAD_ro.ts @@ -188,8 +188,8 @@ Amplasare - + Transform Transformare @@ -6124,15 +6124,15 @@ Doriți să salvați modificările? PDF format - + Graphviz format Graphviz format - + Export graph Exportă graficul @@ -8059,8 +8059,8 @@ Doriţi să specificaţi un alt director? Export PDF... - + Unsaved document Document nesalvat @@ -8928,8 +8928,8 @@ copia curentă va fi pierdută. Toggle overlay - + Toggle floating window Toggle floating window @@ -10073,8 +10073,8 @@ copia curentă va fi pierdută. Creaţi un nou document gol - + Unnamed Nedenumit diff --git a/src/Gui/Language/FreeCAD_ru.ts b/src/Gui/Language/FreeCAD_ru.ts index bcfdd2a6c5a5..b22584ee049c 100644 --- a/src/Gui/Language/FreeCAD_ru.ts +++ b/src/Gui/Language/FreeCAD_ru.ts @@ -188,8 +188,8 @@ Расположение - + Transform Переместить @@ -433,7 +433,7 @@ Transform - Переместить + Преобразовать @@ -1392,7 +1392,7 @@ same time. The one with the highest priority will be triggered. none - отсутствует + Отсутствует @@ -2813,7 +2813,7 @@ Specify another directory, please. Help - Помощь + Справка @@ -3411,7 +3411,7 @@ besides the color bar General - Главный + Основные @@ -3919,7 +3919,7 @@ You can also use the form: John Doe <john@doe.com> Macro - Макрокоманда + Макрос @@ -4459,7 +4459,7 @@ horizontal space in Python console Other - Другое + Нечто @@ -6119,15 +6119,15 @@ Do you want to save your changes? Формат PDF - + Graphviz format Graphviz формат - + Export graph Экспорт графа @@ -6874,7 +6874,7 @@ Do you want to exit without saving your data? none - Отсутствует + отсутствует @@ -7190,7 +7190,7 @@ Do you want to specify another directory? Unsaved document - Документ не сохранён + Несохраненный документ @@ -7478,7 +7478,7 @@ Do you want to specify another directory? Tree view - Иерархия документа + В виде дерева @@ -7882,7 +7882,7 @@ Do you want to specify another directory? Tree view - В виде дерева + Иерархия документа @@ -7940,7 +7940,7 @@ Do you want to specify another directory? General - Основные + Главный @@ -8054,10 +8054,10 @@ Do you want to specify another directory? Экспорт PDF... - + Unsaved document - Несохраненный документ + Документ не сохранён @@ -8922,8 +8922,8 @@ the current copy will be lost. Переключить оверлей - + Toggle floating window Переключить плавающее окно @@ -8966,7 +8966,7 @@ the current copy will be lost. Show visibility icon - Show visibility icon + Показать значок видимости @@ -10067,8 +10067,8 @@ the current copy will be lost. Создать новый пустой документ - + Unnamed Безымянный @@ -10691,7 +10691,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Transform - Преобразовать + Переместить @@ -11251,7 +11251,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Fullscreen - Полноэкранный режим + На весь экран @@ -11489,7 +11489,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Display the active view either in fullscreen, in undocked or docked mode - Отображать активный вид в полноэкранном режиме, встроенном окне или в отдельном окне + Отображать активный вид в полноэкранном, закрепленном и откреплённом режиме @@ -11497,7 +11497,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Fullscreen - На весь экран + Полноэкранный режим @@ -11531,7 +11531,7 @@ It is meant to arrange objects that have a Part TopoShape, like Part Primitives, Display the active view either in fullscreen, in undocked or docked mode - Отображать активный вид в полноэкранном, закрепленном и откреплённом режиме + Отображать активный вид в полноэкранном режиме, встроенном окне или в отдельном окне @@ -11752,7 +11752,7 @@ Do you still want to proceed? If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled - If enabled, show an eye icon before the tree view items, showing the items visibility status. When clicked the visibility is toggled + Если включено, показывать значок глаз перед элементами дерева, показывающий статус видимости элементов. При нажатии видимость переключается @@ -11845,7 +11845,7 @@ Do you still want to proceed? Help - Справка + Помощь @@ -11855,7 +11855,7 @@ Do you still want to proceed? Macro - Макрос + Макрокоманда @@ -12147,22 +12147,22 @@ after FreeCAD launches XY-Plane - Плоскость XY + XY-плоскость XZ-Plane - Плоскость XZ + XZ-плоскость YZ-Plane - Плоскость YZ + YZ-плоскость Reverse direction - Развернуть направление + В обратном направлении @@ -13548,7 +13548,7 @@ the region are non-opaque. None - Нет + Ничего diff --git a/src/Gui/Language/FreeCAD_sl.ts b/src/Gui/Language/FreeCAD_sl.ts index 2578543fc7e4..8ab172638c02 100644 --- a/src/Gui/Language/FreeCAD_sl.ts +++ b/src/Gui/Language/FreeCAD_sl.ts @@ -188,8 +188,8 @@ Postavitev - + Transform Preoblikuj @@ -423,7 +423,7 @@ Default - Privzeto + Privzeti @@ -592,7 +592,7 @@ Press left mouse button - Pritisnite levi miškin gumb + Pritisnite levo miškino tipko @@ -1098,7 +1098,7 @@ Neglede na to ima lastnost v skriptih še vedno polni naziv, kot npr. "obj.Ime_S Name - Naziv + Ime @@ -1395,7 +1395,7 @@ tisti z višjo prednostjo. none - brez + nobeden @@ -4124,7 +4124,7 @@ Lahko uporabite tudi obliko: Neznanec <ne@znanec.com> Default - Privzeti + Privzeto @@ -4418,7 +4418,7 @@ S to nastavitvijo nagibanje z miško ni onemogočeno. General - Splošno + Splošne nastavitve @@ -5483,7 +5483,7 @@ The 'Status' column shows whether the document could be recovered. Dialog - Pogovorno okno + Pog. okno @@ -5649,7 +5649,7 @@ izbrani pred odprtjem tega pogovrnega okna Dialog - Pog. okno + Pogovorno okno @@ -6129,15 +6129,15 @@ Ali želite shraniti spremembe? PDF zapis - + Graphviz format Graphviz format - + Export graph Izvozi graf @@ -6886,7 +6886,7 @@ Ali želite končati ne da bi shranili podatke? none - nobeden + brez @@ -7051,7 +7051,7 @@ Ali želite navesti drugo mapo? Position - Position + Položaj @@ -7250,7 +7250,7 @@ Ali želite navesti drugo mapo? Press left mouse button - Pritisnite levo miškino tipko + Pritisnite levi miškin gumb @@ -7704,7 +7704,7 @@ Ali želite navesti drugo mapo? Export PDF - Izvoz PDF + Izvozi v PDF @@ -7952,7 +7952,7 @@ Ali želite navesti drugo mapo? General - Splošne nastavitve + Splošno @@ -8066,8 +8066,8 @@ Ali želite navesti drugo mapo? Izvažanje PDF... - + Unsaved document Neshranjen dokument @@ -8938,8 +8938,8 @@ bodo izgubljene. Preklopi prekrivanje - + Toggle floating window Preklopi plavajoče okno @@ -10083,8 +10083,8 @@ bodo izgubljene. Ustvari nov, prazen dokument - + Unnamed Neimenovan @@ -10861,7 +10861,7 @@ Namenjen je razpostavitivi predmetov s topografskimi oblikami dela, kot so Osnov Dimetric - Dvomeren + Dimetrična @@ -10973,7 +10973,7 @@ Namenjen je razpostavitivi predmetov s topografskimi oblikami dela, kot so Osnov Isometric - Izometrično + Izometrična @@ -11183,7 +11183,7 @@ Namenjen je razpostavitivi predmetov s topografskimi oblikami dela, kot so Osnov Trimetric - Trimetrično + Trimetrična @@ -11267,7 +11267,7 @@ Namenjen je razpostavitivi predmetov s topografskimi oblikami dela, kot so Osnov Fullscreen - Celozaslonsko + Celozaslonski način @@ -11513,7 +11513,7 @@ Namenjen je razpostavitivi predmetov s topografskimi oblikami dela, kot so Osnov Fullscreen - Celozaslonski način + Celozaslonsko @@ -11894,7 +11894,7 @@ Ali želite vseeno nadaljevati? Export PDF - Izvozi v PDF + Izvoz PDF @@ -12164,17 +12164,17 @@ ob zagodu FreeCAD-a XY-Plane - XY-Plane + Ravnina XY XZ-Plane - XZ-Plane + Ravnina XZ YZ-Plane - YZ-Plane + Ravnina YZ @@ -12184,7 +12184,7 @@ ob zagodu FreeCAD-a Offset: - Offset: + Odmik: @@ -12861,7 +12861,7 @@ bo pozdravno okno prikazano Name - Ime + Naziv diff --git a/src/Gui/Language/FreeCAD_sr-CS.ts b/src/Gui/Language/FreeCAD_sr-CS.ts index 228b754123cf..41fc0ee7f503 100644 --- a/src/Gui/Language/FreeCAD_sr-CS.ts +++ b/src/Gui/Language/FreeCAD_sr-CS.ts @@ -188,8 +188,8 @@ Položaj - + Transform Pomeri @@ -6129,15 +6129,15 @@ Da li želiš da sačuvaš promene? PDF format - + Graphviz format Graphviz format - + Export graph Izvezi grafikon @@ -8066,8 +8066,8 @@ Do you want to specify another directory? Izvozim PDF... - + Unsaved document Nesačuvan dokument @@ -8938,8 +8938,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10083,8 +10083,8 @@ the current copy will be lost. Napravi novi prazan dokument - + Unnamed Bez imena @@ -12941,7 +12941,7 @@ prikazati početni ekran Tags - Oznake + Tagovi diff --git a/src/Gui/Language/FreeCAD_sr.ts b/src/Gui/Language/FreeCAD_sr.ts index ee825f0a4cae..8873f0b95e43 100644 --- a/src/Gui/Language/FreeCAD_sr.ts +++ b/src/Gui/Language/FreeCAD_sr.ts @@ -188,8 +188,8 @@ Положај - + Transform Помери @@ -6129,15 +6129,15 @@ Do you want to save your changes? PDF формат - + Graphviz format Graphviz формат - + Export graph Извези графикон @@ -8066,8 +8066,8 @@ Do you want to specify another directory? Извозим PDF... - + Unsaved document Несачуван документ @@ -8938,8 +8938,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10083,8 +10083,8 @@ the current copy will be lost. Направи нови празан документ - + Unnamed Без имена @@ -12941,7 +12941,7 @@ display the splash screen Tags - Ознаке + Тагови diff --git a/src/Gui/Language/FreeCAD_sv-SE.ts b/src/Gui/Language/FreeCAD_sv-SE.ts index d3335b6a76fd..c56488c4908e 100644 --- a/src/Gui/Language/FreeCAD_sv-SE.ts +++ b/src/Gui/Language/FreeCAD_sv-SE.ts @@ -188,8 +188,8 @@ Placering - + Transform Omvandla @@ -6127,15 +6127,15 @@ Vill du spara ändringarna? PDF-format - + Graphviz format Graphviz format - + Export graph Exportera graf @@ -8064,8 +8064,8 @@ Vill du ange en annan katalog? Exporterar PDF ... - + Unsaved document Osparat dokument @@ -8936,8 +8936,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10081,8 +10081,8 @@ the current copy will be lost. Skapa ett nytt tomt dokument - + Unnamed Namnlös diff --git a/src/Gui/Language/FreeCAD_tr.ts b/src/Gui/Language/FreeCAD_tr.ts index 8dcf315d05ec..b9423b7ee4a5 100644 --- a/src/Gui/Language/FreeCAD_tr.ts +++ b/src/Gui/Language/FreeCAD_tr.ts @@ -188,8 +188,8 @@ Yerleşim - + Transform Dönüştür @@ -6129,15 +6129,15 @@ Do you want to save your changes? PNG biçimi - + Graphviz format Graphviz format - + Export graph Grafiği dışa aktar @@ -8065,8 +8065,8 @@ Başka bir dizin belirlemek ister misiniz? PDF dışa aktarılıyor... - + Unsaved document Kaydedilmemiş belge @@ -8932,8 +8932,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10077,8 +10077,8 @@ the current copy will be lost. Yeni, boş bir belge oluştur - + Unnamed İsimsiz diff --git a/src/Gui/Language/FreeCAD_uk.ts b/src/Gui/Language/FreeCAD_uk.ts index 3befbdcc9643..f65b578c965d 100644 --- a/src/Gui/Language/FreeCAD_uk.ts +++ b/src/Gui/Language/FreeCAD_uk.ts @@ -188,8 +188,8 @@ Розташувати - + Transform Перетворити @@ -6125,15 +6125,15 @@ Do you want to save your changes? Формат PDF - + Graphviz format Формат Graphviz - + Export graph Експортувати діаграму @@ -8059,8 +8059,8 @@ Do you want to specify another directory? Експорт в PDF ... - + Unsaved document Незбережений документ @@ -8932,8 +8932,8 @@ the current copy will be lost. Перемкнути шари - + Toggle floating window Перемкнути плаваюче вікно @@ -10077,8 +10077,8 @@ the current copy will be lost. Створює новий порожній документ - + Unnamed Без назви diff --git a/src/Gui/Language/FreeCAD_val-ES.ts b/src/Gui/Language/FreeCAD_val-ES.ts index 5df05e6431e8..4ccdfb6de5a9 100644 --- a/src/Gui/Language/FreeCAD_val-ES.ts +++ b/src/Gui/Language/FreeCAD_val-ES.ts @@ -188,8 +188,8 @@ Posició - + Transform Transforma @@ -6120,15 +6120,15 @@ Do you want to save your changes? Format PDF - + Graphviz format Graphviz format - + Export graph Exporta el gràfic @@ -8049,8 +8049,8 @@ Do you want to specify another directory? S'està exportant a PDF... - + Unsaved document El document no s'ha guardat. @@ -8916,8 +8916,8 @@ the current copy will be lost. Toggle overlay - + Toggle floating window Toggle floating window @@ -10061,8 +10061,8 @@ the current copy will be lost. Crea un document buit nou - + Unnamed Sense nom diff --git a/src/Gui/Language/FreeCAD_zh-CN.ts b/src/Gui/Language/FreeCAD_zh-CN.ts index 01d16d27c58f..4cad838bce8d 100644 --- a/src/Gui/Language/FreeCAD_zh-CN.ts +++ b/src/Gui/Language/FreeCAD_zh-CN.ts @@ -188,8 +188,8 @@ 定位 - + Transform 变换 @@ -6109,15 +6109,15 @@ Do you want to save your changes? PDF 格式 - + Graphviz format Graphviz 格式 - + Export graph 导出图形 @@ -8041,8 +8041,8 @@ Do you want to specify another directory? 导出 PDF... - + Unsaved document 未保存的文件 @@ -8906,8 +8906,8 @@ the current copy will be lost. 显示/隐藏悬浮窗 - + Toggle floating window 切换浮动窗口 @@ -10051,8 +10051,8 @@ the current copy will be lost. 创建一个新空白文档 - + Unnamed 未命名 diff --git a/src/Gui/Language/FreeCAD_zh-TW.ts b/src/Gui/Language/FreeCAD_zh-TW.ts index c3fbb03c398f..c23b1ad57bc7 100644 --- a/src/Gui/Language/FreeCAD_zh-TW.ts +++ b/src/Gui/Language/FreeCAD_zh-TW.ts @@ -188,8 +188,8 @@ 佈置 - + Transform 轉換 @@ -6107,15 +6107,15 @@ Do you want to save your changes? PDF 格式 - + Graphviz format Graphviz 格式 - + Export graph 匯出圖形 @@ -8037,8 +8037,8 @@ Do you want to specify another directory? 匯出 PDF... - + Unsaved document 未儲存文件 @@ -8896,8 +8896,8 @@ the current copy will be lost. 切換重疊視圖 - + Toggle floating window Toggle floating window @@ -10041,8 +10041,8 @@ the current copy will be lost. 建立一個新的空白檔案 - + Unnamed 未命名 @@ -12121,17 +12121,17 @@ after FreeCAD launches XY-Plane - XY-Plane + XY-平面 XZ-Plane - XZ-Plane + XZ-平面 YZ-Plane - YZ-Plane + YZ-平面 @@ -12141,7 +12141,7 @@ after FreeCAD launches Offset: - Offset: + 偏移: diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager.ts b/src/Mod/AddonManager/Resources/translations/AddonManager.ts index 151afe220fec..d9ea36eb6422 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager.ts @@ -1235,18 +1235,18 @@ installed addons will be checked for available updates - - + + Maintainer - - + + Author @@ -1360,8 +1360,8 @@ installed addons will be checked for available updates - + Installed @@ -1570,9 +1570,9 @@ installed addons will be checked for available updates - + {} is not a subdirectory of {} @@ -1967,9 +1967,9 @@ installed addons will be checked for available updates - + Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_be.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_be.qm index 50010ef82d82..03fc5cf5cfb0 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_be.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_be.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_be.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_be.ts index 3412f8d7458d..3756158d49c8 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_be.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_be.ts @@ -403,7 +403,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore labelSort - labelSort + Парадкаваць надпісы @@ -605,12 +605,12 @@ installed addons will be checked for available updates Score source URL - Score source URL + URL-адрас крыніцы ацэнкі The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + URL-адрас для дадзеных ацэнкі дапаўненняў (падрабязнасці аб фарматаванні і размяшчэнні глядзіце ў дакументацыі). @@ -1244,18 +1244,18 @@ installed addons will be checked for available updates Не атрымалася выканаць макрас. Падрабязныя звесткі аб збоі глядзіце ў кансолі. - - + + Maintainer Суправаджальнік - - + + Author Аўтар @@ -1369,8 +1369,8 @@ installed addons will be checked for available updates - + Installed Усталявана @@ -1582,9 +1582,9 @@ installed addons will be checked for available updates Абраць файл гузіку для гэтага элемента зместу - + {} is not a subdirectory of {} {} не з'яўляецца ўкладзеным каталогам {} @@ -1950,27 +1950,27 @@ installed addons will be checked for available updates {} ★ on GitHub - {} ★ on GitHub + {} ★ на GitHub No ★, or not on GitHub - No ★, or not on GitHub + Без ★, альбо не на GitHub Created - Created + Створана Updated - Updated + Абноўлена Score: - Score: + Ацэнкі: @@ -1981,9 +1981,9 @@ installed addons will be checked for available updates - + Update available Даступна абнаўленне @@ -2357,14 +2357,14 @@ installed addons will be checked for available updates Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Не атрымалася атрымаць статыстыку па дадатку з {} -- дакладнай будзе толькі ўпарадкаванне па алфавіце Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + Не атрымалася атрымаць ацэнкі дадаткаў з '{}' -- упарадкаванне па ацэнках завяршылася памылкай @@ -2453,7 +2453,7 @@ installed addons will be checked for available updates Alphabetical Sort order - Alphabetical + Па алфавіце @@ -2465,19 +2465,19 @@ installed addons will be checked for available updates Date Created Sort order - Date Created + Дата стварэння GitHub Stars Sort order - GitHub Stars + Зоркі на GitHub Score Sort order - Score + Ацэнкі diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts index 9e8db624f752..cf7dc94bbde7 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ca.ts @@ -1240,18 +1240,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Maintainer - - + + Author Autor @@ -1365,8 +1365,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1576,9 +1576,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1973,9 +1973,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts index b6c3283c6a54..ea8c67a9eb6a 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_cs.ts @@ -1242,18 +1242,18 @@ nainstalované doplňky budou zkontrolovány pro dostupné aktualizace Provedení makra selhalo. Podrobnosti o selhání viz konzola. - - + + Maintainer Správce - - + + Author Autor @@ -1367,8 +1367,8 @@ nainstalované doplňky budou zkontrolovány pro dostupné aktualizace - + Installed Nainstalováno @@ -1578,9 +1578,9 @@ nainstalované doplňky budou zkontrolovány pro dostupné aktualizace Vyberte soubor ikony pro tuto položku obsahu - + {} is not a subdirectory of {} {} není podadresář {} @@ -1975,9 +1975,9 @@ nainstalované doplňky budou zkontrolovány pro dostupné aktualizace - + Update available K dispozici je aktualizace diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_de.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_de.qm index 99260d9db2bf..d0ab328a5de7 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_de.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_de.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_de.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_de.ts index d88b915ca56b..0a7b2f7232c9 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_de.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_de.ts @@ -403,7 +403,7 @@ Soll der Addon-Manager sie automatisch installieren? "Ignorieren" wäh labelSort - labelSort + labelSort @@ -548,17 +548,17 @@ installed addons will be checked for available updates Hide Addons without a license - Erweiterungen ohne Lizenz ausblenden + Addons ohne Lizenz ausblenden Hide Addons with non-FSF Free/Libre license - Erweiterungen mit nicht-FSF Free/Libre Lizenz ausblenden + Addons mit Nicht-FSF-Free- oder Libre-Lizenz ausblenden Hide Addons with non-OSI-approved license - Erweiterungen mit nicht OSI-zugelassener Lizenz ausblenden + Addons mit nicht-OSI-anerkannter Lizenz ausblenden @@ -603,12 +603,12 @@ installed addons will be checked for available updates Score source URL - Score source URL + Bewertung Quellen-URL The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + Die URL für die Bewertungs-Daten von Erweiterungen (siehe Dokumentation für Formatierung und Hosting Details). @@ -1240,18 +1240,18 @@ installed addons will be checked for available updates Ausführen des Makros schlug fehl. Siehe Konsole für Fehlerdetails. - - + + Maintainer Betreuer - - + + Author Autor @@ -1365,8 +1365,8 @@ installed addons will be checked for available updates - + Installed Installiert @@ -1576,9 +1576,9 @@ installed addons will be checked for available updates Wählen Sie eine Symboldatei für dieses Inhaltselement - + {} is not a subdirectory of {} {} ist kein Unterverzeichnis von {} @@ -1942,27 +1942,27 @@ installed addons will be checked for available updates {} ★ on GitHub - {} ★ on GitHub + {} ★ on GitHub No ★, or not on GitHub - No ★, or not on GitHub + Kein ★, oder nicht auf GitHub Created - Created + Erstellt Updated - Updated + Aktualisiert Score: - Score: + Bewertung: @@ -1973,9 +1973,9 @@ installed addons will be checked for available updates - + Update available Aktualisierung verfügbar @@ -2349,14 +2349,14 @@ installed addons will be checked for available updates Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Fehler beim Abrufen der Erweiterungs-Statistiken von {} -- nur alphabetisch sortieren wird genau sein Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + Fehler beim Abrufen der Erweiterungs-Bewertungen von '{}' -- Sortierung nach Bewertung wird fehlschlagen @@ -2445,7 +2445,7 @@ installed addons will be checked for available updates Alphabetical Sort order - Alphabetical + Alphabetisch @@ -2457,19 +2457,19 @@ installed addons will be checked for available updates Date Created Sort order - Date Created + Erstellungsdatum GitHub Stars Sort order - GitHub Stars + GitHub Sterne Score Sort order - Score + Bewertung diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts index d355ed0b37f2..0707dee6d065 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_el.ts @@ -1243,18 +1243,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Συντηρητής - - + + Author Συγγραφέας @@ -1368,8 +1368,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1579,9 +1579,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1976,9 +1976,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.qm index d74ea5de4ff9..5dfced0b6694 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.ts index 2b200e1a3f76..dc6559041f21 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_es-AR.ts @@ -403,7 +403,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore labelSort - labelSort + Ordenar por etiquetas @@ -605,12 +605,12 @@ los complementos instalados serán revisados por actualizaciones disponibles Score source URL - Score source URL + URL de la fuente de puntuación The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + La URL de los datos de la puntuación del complemento (ver documentación para el formato y los detalles del alojamiento). @@ -1240,18 +1240,18 @@ los complementos instalados serán revisados por actualizaciones disponibles Falló la ejecución de la macro. Vea la consola para detalles del fallo. - - + + Maintainer Mantenedor - - + + Author Autor @@ -1365,8 +1365,8 @@ los complementos instalados serán revisados por actualizaciones disponibles - + Installed Instalado @@ -1576,9 +1576,9 @@ los complementos instalados serán revisados por actualizaciones disponibles Seleccione un archivo de icono para este elemento de contenido - + {} is not a subdirectory of {} {} no es un subdirectorio de {} @@ -1942,27 +1942,27 @@ los complementos instalados serán revisados por actualizaciones disponibles {} ★ on GitHub - {} ★ on GitHub + {} ★ en GitHub No ★, or not on GitHub - No ★, or not on GitHub + Sin ★ o no en GitHub Created - Created + Creado Updated - Updated + Actualizado Score: - Score: + Puntuación: @@ -1973,9 +1973,9 @@ los complementos instalados serán revisados por actualizaciones disponibles - + Update available Actualización disponible @@ -2349,14 +2349,14 @@ los complementos instalados serán revisados por actualizaciones disponibles Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Error al obtener estadísticas del complemento de {} -- solo ordenar alfabeticamente será preciso Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + No se pudo obtener la puntuación del complemento de '{}' -- ordenar por puntuación fallará @@ -2445,7 +2445,7 @@ los complementos instalados serán revisados por actualizaciones disponibles Alphabetical Sort order - Alphabetical + Alfabético @@ -2457,19 +2457,19 @@ los complementos instalados serán revisados por actualizaciones disponibles Date Created Sort order - Date Created + Fecha de creación GitHub Stars Sort order - GitHub Stars + Estrellas de GitHub Score Sort order - Score + Puntaje diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.qm index 66adf0e9f683..9383f9f8c061 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.ts index 75e4e60646e9..838fcab1dd22 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_es-ES.ts @@ -403,7 +403,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore labelSort - labelSort + Ordenar por etiquetas @@ -604,12 +604,12 @@ installed addons will be checked for available updates Score source URL - Score source URL + URL fuente de la puntuación The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + La URL para los datos de la puntuación del complemento (ver documentación para el formato y los detalles del alojamiento). @@ -1239,18 +1239,18 @@ installed addons will be checked for available updates Falló la ejecución de la macro. Vea la consola para detalles del fallo. - - + + Maintainer Mantenedor - - + + Author Autor @@ -1364,8 +1364,8 @@ installed addons will be checked for available updates - + Installed Instalado @@ -1575,9 +1575,9 @@ installed addons will be checked for available updates Seleccione un archivo de icono para este elemento de contenido - + {} is not a subdirectory of {} {} no es un subdirectorio de {} @@ -1941,27 +1941,27 @@ installed addons will be checked for available updates {} ★ on GitHub - {} ★ on GitHub + {} ★ en GitHub No ★, or not on GitHub - No ★, or not on GitHub + Sin ★, o no está en GitHub Created - Created + Creado Updated - Updated + Actualizado Score: - Score: + Puntuación: @@ -1972,9 +1972,9 @@ installed addons will be checked for available updates - + Update available Actualización disponible @@ -2348,14 +2348,14 @@ installed addons will be checked for available updates Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + No se pudieron obtener las estadísticas del complemento de {} -- solo ordenar alfabeticamente será preciso Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + No se pudo obtener la puntuación del complemento de '{}' -- ordenar por puntuación fallará @@ -2444,7 +2444,7 @@ installed addons will be checked for available updates Alphabetical Sort order - Alphabetical + Alfabético @@ -2456,19 +2456,19 @@ installed addons will be checked for available updates Date Created Sort order - Date Created + Fecha de creación GitHub Stars Sort order - GitHub Stars + Estrellas en GitHub Score Sort order - Score + Puntuación diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts index aded63f78959..bb83f3e13521 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_eu.ts @@ -1242,18 +1242,18 @@ denean gehigarrien eguneraketarik dagoen begiratuko da Makroaren exekuzioak huts egin du. Begiratu kontsola xehetasun gehiagorako. - - + + Maintainer Mantentzailea - - + + Author Egilea @@ -1367,8 +1367,8 @@ denean gehigarrien eguneraketarik dagoen begiratuko da - + Installed Instalatuta @@ -1578,9 +1578,9 @@ denean gehigarrien eguneraketarik dagoen begiratuko da Hautatu ikono-fitxategi bat eduki-elementu honetarako - + {} is not a subdirectory of {} {} ez da {} direktorioaren azpidirektorio bat @@ -1975,9 +1975,9 @@ denean gehigarrien eguneraketarik dagoen begiratuko da - + Update available Eguneraketa eskuragarri diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts index 42dc9d9af208..fa95be7765c5 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_fi.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Ylläpitäjä - - + + Author Kehittäjä @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_fr.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_fr.qm index abe4bc221c17..4ac233d117d7 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_fr.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_fr.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_fr.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_fr.ts index 91dfcdc4dc23..8a5611834cb4 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_fr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_fr.ts @@ -109,7 +109,7 @@ Voulez-vous que le gestionnaire des extensions les installe automatiquement ? Ch Optional Python modules - Modules Python optionnels + Modules Python facultatifs @@ -349,7 +349,7 @@ Voulez-vous que le gestionnaire des extensions les installe automatiquement ? Ch If this is an optional dependency, the Addon Manager will offer to install it (when possible), but will not block installation if the user chooses not to, or cannot, install the package. - S'il s'agit d'une dépendance optionnelle, le gestionnaire des extensions proposera de l'installer (quand c'est possible), mais ne bloquera pas l'installation si l'utilisateur choisit de ne pas installer le paquet ou s'il ne peut pas le faire. + S'il s'agit d'une dépendance facultative, le gestionnaire des extensions proposera de l'installer (quand cela est possible) mais ne bloquera pas l'installation si l'utilisateur choisit de ne pas installer le paquet ou s'il ne peut pas le faire. @@ -403,7 +403,7 @@ Voulez-vous que le gestionnaire des extensions les installe automatiquement ? Ch labelSort - labelSort + Trier par libellés @@ -605,22 +605,22 @@ Cela nécessite l'installation du paquet GitPython sur votre système. Score source URL - Score source URL + URL des scores The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + L'URL du score de l'extension, (voir la documentation pour les détails de formatage et d'hébergement). Path to git executable (optional): - Chemin vers l'exécutable git (facultatif) : + Chemin vers l'exécutable de git (facultatif) : The path to the git executable. Autodetected if needed and not specified. - Le chemin vers l'exécutable git. Détecté automatiquement si nécessaire et non spécifié. + Le chemin vers l'exécutable de git. Détecté automatiquement si nécessaire et non spécifié. @@ -691,7 +691,7 @@ Cela nécessite l'installation du paquet GitPython sur votre système. The following Python packages have been installed locally by the Addon Manager to satisfy Addon dependencies. Installation location: - Les paquets Python suivants ont été installés localement par le gestionnaire des extensions pour satisfaire les dépendances de l'extension. Emplacement d'installation : + Les paquets Python suivants ont été installés localement par le gestionnaire des extensions pour satisfaire les dépendances de l'extension. Emplacement de l'installation : @@ -716,7 +716,7 @@ Cela nécessite l'installation du paquet GitPython sur votre système. An asterisk (*) in the "Used by" column indicates an optional dependency. Note that Used by only records direct imports in the Addon. Other Python packages that those packages depend upon may have been installed as well. - Un astérisque (*) dans la colonne "Utilisé par" indique une dépendance optionnelle. + Un astérisque (*) dans la colonne "Utilisé par" indique une dépendance facultative. Remarque : "Utilisé par" n'enregistre que les importations directes dans l'extension. D'autres paquets Python dont dépendent ces paquets peuvent également avoir été installés. @@ -1244,18 +1244,18 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét L'exécution de la macro a échoué. Voir la console pour les détails de l'échec. - - + + Maintainer Mainteneur - - + + Author Auteur @@ -1369,8 +1369,8 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét - + Installed Installé @@ -1382,7 +1382,7 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Git tag '{}' checked out, no updates possible - La balise Git '{}' a été retirée, aucune mise à jour possible + La balise de git "{}" a été retirée, aucune mise à jour possible. @@ -1579,9 +1579,9 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Sélectionner un fichier d'icône pour cet élément de contenu. - + {} is not a subdirectory of {} {} n'est pas un sous-répertoire de {} @@ -1945,27 +1945,27 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét {} ★ on GitHub - {} ★ on GitHub + {} ★ sur GitHub No ★, or not on GitHub - No ★, or not on GitHub + Pas d'★ ou pas sur GitHub Created - Created + Créé Updated - Updated + Mis à jour Score: - Score: + Score : @@ -1976,9 +1976,9 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét - + Update available Mise à jour disponible @@ -2242,14 +2242,13 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Git is disabled, skipping git macros - Git est désactivé, les macros Git sont ignorées + Git est désactivé, les macros sous git sont ignorées. Attempting to change non-git Macro setup to use git - Tentative de changement de la configuration des macro non-Git pour utiliser Git - + Tentative de changement de la configuration des macro non-git pour utiliser git @@ -2279,7 +2278,7 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Unable to fetch git updates for workbench {} - Ne parvient pas à récupérer les mises à jour git pour l'atelier {} + Impossible de récupérer les mises à jour sous git pour l'atelier {} @@ -2352,15 +2351,13 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - + Échec de la récupération des statistiques de l'extension {}, seul le tri par ordre alphabétique sera correct. Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail - + Échec de la récupération du score de l'extension de "{}". Le tri par score échouera. @@ -2392,7 +2389,7 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Git branch rename failed with the following message: - Le renommage de la branche Git a échoué avec le message suivant : + Le renommage de la branche git a échoué avec le message suivant : @@ -2448,7 +2445,7 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Alphabetical Sort order - Alphabetical + Alphabétique @@ -2460,19 +2457,19 @@ D'autres paquets Python dont dépendent ces paquets peuvent également avoir ét Date Created Sort order - Date Created + Date de création GitHub Stars Sort order - GitHub Stars + Étoiles sous GitHub Score Sort order - Score + Score diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_gl.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_gl.ts index 4bc4e93b249a..a048bdfe531a 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_gl.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_gl.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Mantedor - - + + Author Autor @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts index d4c2b30a945b..266489db5090 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_hr.ts @@ -1246,18 +1246,18 @@ instalirani dodaci će se provjeriti na dostupna ažuriranja Izvršavanje makro naredbe nije uspjelo. Pogledaj konzolu za detalje o greškama. - - + + Maintainer Održavatelj - - + + Author Autor @@ -1371,8 +1371,8 @@ instalirani dodaci će se provjeriti na dostupna ažuriranja - + Installed Instalirano @@ -1582,9 +1582,9 @@ instalirani dodaci će se provjeriti na dostupna ažuriranja Izaberi datoteku ikone za ovu stavku sadržaja - + {} is not a subdirectory of {} {} nije poddirektorij {} @@ -1981,9 +1981,9 @@ instalirani dodaci će se provjeriti na dostupna ažuriranja - + Update available Dostupno ažuriranje diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts index 7e07b8f2086a..2ad58ec75168 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_hu.ts @@ -1242,18 +1242,18 @@ telepített bővítményeket a rendszer ellenőrzi az elérhető frissítésekre A makró végrehajtása sikertelen. A hiba részleteit lásd a konzolon. - - + + Maintainer Közreműködő - - + + Author Létrehozó @@ -1367,8 +1367,8 @@ telepített bővítményeket a rendszer ellenőrzi az elérhető frissítésekre - + Installed Telepítve @@ -1578,9 +1578,9 @@ telepített bővítményeket a rendszer ellenőrzi az elérhető frissítésekre Válasszon ki egy ikonfájlt ehhez a tartalmi elemhez - + {} is not a subdirectory of {} {} nem alkönyvtára ennek: {} @@ -1975,9 +1975,9 @@ telepített bővítményeket a rendszer ellenőrzi az elérhető frissítésekre - + Update available Frissítés elérhető diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_id.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_id.ts index 6536302c2905..eea21bb33eaa 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_id.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_id.ts @@ -1242,18 +1242,18 @@ addon yang terinstal akan diperiksa untuk pembaruan yang tersedia Execution of macro failed. See console for failure details. - - + + Maintainer Pemelihara - - + + Author Penulis @@ -1367,8 +1367,8 @@ addon yang terinstal akan diperiksa untuk pembaruan yang tersedia - + Installed Installed @@ -1578,9 +1578,9 @@ addon yang terinstal akan diperiksa untuk pembaruan yang tersedia Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ addon yang terinstal akan diperiksa untuk pembaruan yang tersedia - + Update available Pembaruan tersedia diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_it.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_it.qm index df869d2ec6cc..5e026b36bb53 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_it.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_it.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_it.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_it.ts index 615330ce0295..5c4c87b3d20d 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_it.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_it.ts @@ -605,12 +605,12 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili Score source URL - Score source URL + Punteggio sorgente URL The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + L'URL per i dati di punteggio Addon (vedere la documentazione per la formattazione e i dettagli di hosting). @@ -1242,18 +1242,18 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili Esecuzione della macro non riuscita. Consultare la console per i dettagli dell'errore. - - + + Maintainer Manutentore - - + + Author Autore @@ -1367,8 +1367,8 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili - + Installed Installato @@ -1578,9 +1578,9 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili Seleziona un file icona per questo elemento di contenuto - + {} is not a subdirectory of {} {} non è una sottodirectory di {} @@ -1944,27 +1944,27 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili {} ★ on GitHub - {} ★ on GitHub + {} ★ su GitHub No ★, or not on GitHub - No ★, or not on GitHub + Nessuna ★, o non presente in GitHub Created - Created + Creato Updated - Updated + Aggiornato Score: - Score: + Punteggio: @@ -1975,9 +1975,9 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili - + Update available Aggiornamento disponibile @@ -2351,14 +2351,14 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Impossibile ottenere le statistiche di Addon da {} -- solo l'ordinamento alfabetico sarà accurato Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + Impossibile ottenere il punteggio Addon da '{}' -- l'ordinamento per punteggio fallirà @@ -2447,7 +2447,7 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili Alphabetical Sort order - Alphabetical + Alfabetico @@ -2459,19 +2459,19 @@ gli addons installati verranno controllati per gli aggiornamenti disponibili Date Created Sort order - Date Created + Data creazione GitHub Stars Sort order - GitHub Stars + Stelline su GitHub Score Sort order - Score + Punteggio diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts index 9218648bd6c9..3c6a7def57fa 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ja.ts @@ -1240,18 +1240,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer メンテナー - - + + Author 作成者 @@ -1365,8 +1365,8 @@ installed addons will be checked for available updates - + Installed インストール済み @@ -1576,9 +1576,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1973,9 +1973,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ka.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_ka.qm index 4edd56fd4dc1..e3df40c5cb0f 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_ka.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_ka.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ka.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ka.ts index c99171c92548..ab124a348699 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ka.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ka.ts @@ -403,7 +403,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore labelSort - labelSort + ჭდეების დალაგება @@ -604,12 +604,12 @@ installed addons will be checked for available updates Score source URL - Score source URL + წყაროს ბმულის შეფასება The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + ბმული დამატების ქულების მონაცემისთვის (იხილეთ დოკუმენტაცია ფორმატისა და ჰოსტინგის დეტალებისთვის). @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates მაკროს შესრულების შეცდომა. მეტი დეტალებისთვის იხილეთ კონსოლი. - - + + Maintainer წამყვანი პროგრამისტი - - + + Author ავტორი @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed დაყენებულია @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates აირჩიეთ ხატულას ფაილი ამ შემცველობის ელემენტისთვის - + {} is not a subdirectory of {} {} -ი {}-ის ქვესაქაღალდეს არ წარმოადგენს @@ -1944,27 +1944,27 @@ installed addons will be checked for available updates {} ★ on GitHub - {} ★ on GitHub + {} ★ GitHub-ზე No ★, or not on GitHub - No ★, or not on GitHub + ★-ის გარეშე, ან GitHub-ზე არაა Created - Created + შექმნლია Updated - Updated + განახლებულია Score: - Score: + ქულა: @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available განახლება ხელმისაწვდომია @@ -2351,15 +2351,13 @@ installed addons will be checked for available updates Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - + {}-დან დამატების სტატისტიკის მიღება ჩავარდა -- სწორი, მხოლოდ, ანბანით დალაგება იქნება Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail - + '{}'-დან დამატების ქულების გამოთხოვნა ჩავარდა -- ქულებით დალაგება ჩავარდება @@ -2447,7 +2445,7 @@ installed addons will be checked for available updates Alphabetical Sort order - Alphabetical + ანბანის მიხედვით @@ -2459,19 +2457,19 @@ installed addons will be checked for available updates Date Created Sort order - Date Created + შექმნის თარიღი GitHub Stars Sort order - GitHub Stars + GitHub-ის ვარსკვლავები Score Sort order - Score + ქულა diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts index 20daa3ef2b4a..b0df7b6e5594 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ko.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Maintainer - - + + Author 작성자: @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_nl.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_nl.qm index dfb75da5b9fa..597721fce57d 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_nl.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_nl.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_nl.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_nl.ts index 5476648b6f33..f2ddc14e5b3c 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_nl.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_nl.ts @@ -1240,18 +1240,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Beheerder - - + + Author Auteur @@ -1365,8 +1365,8 @@ installed addons will be checked for available updates - + Installed Geïnstalleerd @@ -1576,9 +1576,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is geen submap van {} @@ -1952,17 +1952,17 @@ installed addons will be checked for available updates Created - Created + Aangemaakt Updated - Updated + Bijgewerkt Score: - Score: + Score: @@ -1973,9 +1973,9 @@ installed addons will be checked for available updates - + Update available Update beschikbaar @@ -2445,19 +2445,19 @@ installed addons will be checked for available updates Alphabetical Sort order - Alphabetical + Alfabetisch Last Updated Sort order - Last Updated + Laatst bijgewerkt Date Created Sort order - Date Created + Datum aangemaakt @@ -2469,7 +2469,7 @@ installed addons will be checked for available updates Score Sort order - Score + Score diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pl.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_pl.qm index 66248741dbdb..e91c05b6add1 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_pl.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_pl.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pl.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_pl.ts index 7d65880fe8c0..6c25834958e2 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_pl.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_pl.ts @@ -403,7 +403,7 @@ Czy chcesz, aby Menadżer dodatków zainstalował je automatycznie? Wybierz "Zig labelSort - labelSort + sortowanie etykiet @@ -605,12 +605,12 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji Score source URL - Score source URL + Adres URL źródła wyniku The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + Adres URL dla danych o punktacji dodatków (szczegóły dotyczące formatowania i hostingu znajdują się w dokumentacji). @@ -1241,18 +1241,18 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji Wykonanie makrodefinicji nie powiodło się. Szczegóły awarii znajdują się w konsoli. - - + + Maintainer Opiekun - - + + Author Autor @@ -1366,8 +1366,8 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji - + Installed Zainstalowano @@ -1577,9 +1577,9 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji Wybierz plik ikon dla tego elementu - + {} is not a subdirectory of {} {} nie jest podkatalogiem {} @@ -1943,27 +1943,27 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji {} ★ on GitHub - {} ★ on GitHub + {} ★ na GitHub No ★, or not on GitHub - No ★, or not on GitHub + Bez ★, lub nie na GitHub Created - Created + Utworzono Updated - Updated + Zaktualizowano Score: - Score: + Wynik: @@ -1974,9 +1974,9 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji - + Update available Dostępna aktualizacja @@ -2352,14 +2352,14 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Nie udało się pobrać statystyk dodatku z {} - tylko sortowanie alfabetyczne będzie dokładne. Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + Nie udało się pobrać wyniku dodatku z "{}" -- sortowanie według wyniku nie powiedzie się. @@ -2448,7 +2448,7 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji Alphabetical Sort order - Alphabetical + Alfabetycznie @@ -2460,19 +2460,19 @@ zainstalowane dodatki zostaną sprawdzone pod kątem dostępnych aktualizacji Date Created Sort order - Date Created + Data utworzenia GitHub Stars Sort order - GitHub Stars + Odznaki GitHub Score Sort order - Score + Wynik diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts index 83e86c31e172..e1d6a645f27c 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-BR.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execução de macro falhou. Veja o console para detalhes de falha. - - + + Maintainer Mantenedor - - + + Author Autor @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts index 6e63039d5629..756f16996409 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_pt-PT.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Maintainer - - + + Author Autor @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts index 448d43ab4554..e208c211de8d 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ro.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Maintainer - - + + Author Autor @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts index 4b3556245e92..1598e5519a61 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_ru.ts @@ -1240,18 +1240,18 @@ installed addons will be checked for available updates Не удалось выполнить макрос. Подробности об ошибке смотрите в консоли. - - + + Maintainer Разработчик - - + + Author Автор @@ -1365,8 +1365,8 @@ installed addons will be checked for available updates - + Installed Установлено @@ -1576,9 +1576,9 @@ installed addons will be checked for available updates Выберите файл значка для этого элемента содержимого - + {} is not a subdirectory of {} {} не является подкаталогом {} @@ -1973,9 +1973,9 @@ installed addons will be checked for available updates - + Update available Доступно обновление diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts index 6adcb979245e..25688eea428e 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sl.ts @@ -1242,18 +1242,18 @@ preveril razpoložljivost posodobitev za nameščene dodatke Izvedba makra spodletela. Podrobnosti o napaki si poglejte na ukazni mizi. - - + + Maintainer Vzdrževalec - - + + Author Ustvarjalec @@ -1367,8 +1367,8 @@ preveril razpoložljivost posodobitev za nameščene dodatke - + Installed Nameščeno @@ -1578,9 +1578,9 @@ preveril razpoložljivost posodobitev za nameščene dodatke Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ preveril razpoložljivost posodobitev za nameščene dodatke - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.qm index 73094029e369..f4819cbf6452 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.ts index 417d969b92a9..6b89b5cf42f4 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sr-CS.ts @@ -261,17 +261,17 @@ Da li želiš da ih Menadžer dodataka automatski instalira? Izaberi "Zanem Edit Tags - Uredi oznake + Uredi tagove Comma-separated list of tags describing this item: - Lista oznaka razdvojenih zarezima koje opisuju ovu stavku: + Lista tagova razdvojenih zarezima koje opisuju ovu stavku: HINT: Common tags include "Assembly", "FEM", "Mesh", "NURBS", etc. - SAVET: Uobičajene oznake uključuju "Sklop", "FEM", "Mreža", "NURBS", etc. + SAVET: Uobičajeni tagovi uključuju "Sklop", "FEM", "Mreža", "NURBS", etc. @@ -381,7 +381,7 @@ Da li želiš da ih Menadžer dodataka automatski instalira? Izaberi "Zanem (tags) - (oznake) + (tagovi) @@ -459,7 +459,7 @@ Da li želiš da ih Menadžer dodataka automatski instalira? Izaberi "Zanem Upcoming versions of the FreeCAD Addon Manager will support developers' setting a specific branch or tag for use with a specific version of FreeCAD (e.g. setting a specific tag as the last version of your Addon to support v0.19, etc.) - Predstojeće verzije FreeCAD Menadžera dodataka će podržavati programersko podešavanje određene grane ili oznake za upotrebu sa određenom verzijom FreeCAD-a (npr. podešavanje određene oznake kao poslednje verzije vašeg Dodatka za podršku v0.19, itd.) + Predstojeće verzije FreeCAD Menadžera dodataka će podržavati programersko podešavanje određene grane ili tagove za upotrebu sa određenom verzijom FreeCAD-a (npr. podešavanje određenog tag-a kao poslednje verzije vašeg Dodatka za podršku v0.19, itd.) @@ -469,7 +469,7 @@ Da li želiš da ih Menadžer dodataka automatski instalira? Izaberi "Zanem Best-available branch, tag, or commit - Najbolja dostupna grana, oznaka ili commit + Najbolja dostupna grana, tag ili commit @@ -605,12 +605,12 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Score source URL - Score source URL + URL izvora ocena The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + URL za оцене додатка (pogledajte dokumentaciju za detalje). @@ -842,7 +842,7 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Tags... - Oznake... + Tagovi... @@ -1242,18 +1242,18 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Izvršavanje makroa nije uspelo. Pogledaj konzolu za detalje o greškama. - - + + Maintainer Programer zadužen za održavanje - - + + Author Autor @@ -1367,8 +1367,8 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja - + Installed Instalirano @@ -1380,7 +1380,7 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Git tag '{}' checked out, no updates possible - Git oznaka '{}' checked out, ažuriranja nisu moguća + Git tag '{}' checked out, ažuriranja nisu moguća @@ -1578,9 +1578,9 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Izaberi datoteku ikone za ovu stavku sadržaja - + {} is not a subdirectory of {} {} nije podfascikla {} @@ -1939,32 +1939,32 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Tags - Oznake + Tagovi {} ★ on GitHub - {} ★ on GitHub + {} ★ na GitHub No ★, or not on GitHub - No ★, or not on GitHub + Nema ★, ili nema na GitHub Created - Created + Napravljeno Updated - Updated + Ažurirano Score: - Score: + Ocena: @@ -1975,9 +1975,9 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja - + Update available Dostupno jе ažuriranjе @@ -2351,14 +2351,14 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Nije uspelo preuzimanje statistike o dodatku od {} – samo će sortiranje po abecednom redu biti tačno Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + Neuspešno preuzimanje ocena o dodatku od '{}' -- sortiranje po ocenama neće uspeti @@ -2447,31 +2447,31 @@ instalirani dodaci će biti provereni da li postoje dostupna ažuriranja Alphabetical Sort order - Alphabetical + Po abecednom redu Last Updated Sort order - Last Updated + Poslednje ažurirano Date Created Sort order - Date Created + Datum kreiranja GitHub Stars Sort order - GitHub Stars + Github zvezde Score Sort order - Score + Ocena diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sr.qm b/src/Mod/AddonManager/Resources/translations/AddonManager_sr.qm index fbed1ac0d0b4..57d890a22b02 100644 Binary files a/src/Mod/AddonManager/Resources/translations/AddonManager_sr.qm and b/src/Mod/AddonManager/Resources/translations/AddonManager_sr.qm differ diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sr.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_sr.ts index b816d4a7f96c..76fada8c584c 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sr.ts @@ -261,17 +261,17 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Edit Tags - Уреди ознаке + Уреди тагове Comma-separated list of tags describing this item: - Листа ознака раздвојених зарезима које описују ову ставку: + Листа тагова раздвојених зарезима које описују ову ставку: HINT: Common tags include "Assembly", "FEM", "Mesh", "NURBS", etc. - САВЕТ: Уобичајене ознаке укључују "Склоп", "FEM", "Мрежа", "NURBS", etc. + САВЕТ: Уобичајени тагови укључују "Склоп", "FEM", "Мрежа", "NURBS", etc. @@ -381,7 +381,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore (tags) - (ознаке) + (тагови) @@ -459,7 +459,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Upcoming versions of the FreeCAD Addon Manager will support developers' setting a specific branch or tag for use with a specific version of FreeCAD (e.g. setting a specific tag as the last version of your Addon to support v0.19, etc.) - Предстојеће верзије FreeCAD Менаџера додатака ће подржавати програмерско подешавање одређене гране или ознаке за употребу са одређеном верзијом FreeCAD-а (нпр. подешавање одређене ознаке као последње верзије вашег Додатка за подршку v0.19, итд.) + Предстојеће верзије FreeCAD Менаџера додатака ће подржавати програмерско подешавање одређених грана или тагова за употребу са одређеном верзијом FreeCAD-а (нпр. подешавање одређеног таг-а као последње верзије вашег Додатка за подршку v0.19, итд.) @@ -469,7 +469,7 @@ Do you want the Addon Manager to install them automatically? Choose "Ignore Best-available branch, tag, or commit - Најбоља доступна грана, ознака или commit + Најбоља доступна грана, таг или commit @@ -605,12 +605,12 @@ installed addons will be checked for available updates Score source URL - Score source URL + URL извора оцена The URL for the Addon Score data (see documentation for formatting and hosting details). - The URL for the Addon Score data (see documentation for formatting and hosting details). + УРЛ за оцене додатка (погледајте документацију за детаље). @@ -842,7 +842,7 @@ installed addons will be checked for available updates Tags... - Ознаке... + Тагови... @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Извршавање макроа није успело. Погледај конзолу за детаље о грешкама. - - + + Maintainer Програмер задужен за одржавање - - + + Author Аутор @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Инсталирано @@ -1380,7 +1380,7 @@ installed addons will be checked for available updates Git tag '{}' checked out, no updates possible - Git ознака '{}' checked out, ажурирања нису могућа + Git таг '{}' checked out, ажурирања нису могућа @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Изабери датотеку иконе за ову ставку садржаја - + {} is not a subdirectory of {} {} није подфасцикла {} @@ -1939,32 +1939,32 @@ installed addons will be checked for available updates Tags - Ознаке + Тагови {} ★ on GitHub - {} ★ on GitHub + {} ★ на GitHub No ★, or not on GitHub - No ★, or not on GitHub + Нема ★, или нема на GitHub Created - Created + Направљено Updated - Updated + Ажурирано Score: - Score: + Оцена: @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Доступно је ажурирање @@ -2351,14 +2351,14 @@ installed addons will be checked for available updates Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate - Failed to get Addon statistics from {} -- only sorting alphabetically will be accurate + Није успело преузимање статистике о додатку од {} – само ће сортирање по абецедном реду бити тачно Failed to get Addon score from '{}' -- sorting by score will fail - Failed to get Addon score from '{}' -- sorting by score will fail + Неуспешно преузимање о додатку од '{}' -- сортирање по оценама неће успети @@ -2447,31 +2447,31 @@ installed addons will be checked for available updates Alphabetical Sort order - Alphabetical + По абецедном реду Last Updated Sort order - Last Updated + Последње ажурирано Date Created Sort order - Date Created + Датум креирања GitHub Stars Sort order - GitHub Stars + GitHub звезде Score Sort order - Score + Оцена diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts index edb469268b6d..dd77cfae0ec1 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_sv-SE.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Maintainer - - + + Author Upphovsman @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installerad @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Uppdatering tillgänglig diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts index 78ecd0ff4ada..bbd01f993612 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_tr.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Geliştirici - - + + Author Yazar @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts index d36455e6caf7..229c2ddf86d3 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_uk.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Розробник - - + + Author Автор @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts index 96266045fddf..5f192996e650 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_val-ES.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer Maintainer - - + + Author Autor @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed Installed @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available Update available diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts index a25a46865fec..1f4daed46ec0 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-CN.ts @@ -1242,18 +1242,18 @@ installed addons will be checked for available updates Execution of macro failed. See console for failure details. - - + + Maintainer 维护者 - - + + Author 作者 @@ -1367,8 +1367,8 @@ installed addons will be checked for available updates - + Installed 已安装 @@ -1578,9 +1578,9 @@ installed addons will be checked for available updates Select an icon file for this content item - + {} is not a subdirectory of {} {} is not a subdirectory of {} @@ -1975,9 +1975,9 @@ installed addons will be checked for available updates - + Update available 有可用的更新 diff --git a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts index 9bf7c7dcb69c..064de72ab038 100644 --- a/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts +++ b/src/Mod/AddonManager/Resources/translations/AddonManager_zh-TW.ts @@ -1238,18 +1238,18 @@ installed addons will be checked for available updates 執行巨集失敗。查看控制台以獲得失敗的細節。 - - + + Maintainer 維護者 - - + + Author 作者 @@ -1363,8 +1363,8 @@ installed addons will be checked for available updates - + Installed 己安裝 @@ -1574,9 +1574,9 @@ installed addons will be checked for available updates 選擇一個用於此內容項目的圖示檔案 - + {} is not a subdirectory of {} {} 不是 {} 的一個子目錄 @@ -1972,9 +1972,9 @@ installed addons will be checked for available updates - + Update available 有可用更新 diff --git a/src/Mod/AddonManager/Widgets/addonmanager_widget_global_buttons.py b/src/Mod/AddonManager/Widgets/addonmanager_widget_global_buttons.py index 1c293348aa10..e110794d5567 100644 --- a/src/Mod/AddonManager/Widgets/addonmanager_widget_global_buttons.py +++ b/src/Mod/AddonManager/Widgets/addonmanager_widget_global_buttons.py @@ -32,7 +32,7 @@ except ImportError: FreeCAD = None - def translate(_: str, text: str): + def translate(_: str, text: str, details: str = "", n: int = 0): return text @@ -100,14 +100,7 @@ def retranslateUi(self, _): self.close.setText(translate("AddonsInstaller", "Close")) def set_number_of_available_updates(self, updates: int): - if updates <= 0: - self.update_all_addons.setEnabled(False) - self.update_all_addons.setText(translate("AddonsInstaller", "No updates available")) - elif updates == 1: - self.update_all_addons.setEnabled(True) - self.update_all_addons.setText(translate("AddonsInstaller", "Apply 1 available update")) - else: - self.update_all_addons.setEnabled(True) - self.update_all_addons.setText( - translate("AddonsInstaller", "Apply {} available updates").format(updates) - ) + self.update_all_addons.setEnabled(True) + self.update_all_addons.setText( + translate("AddonsInstaller", "Apply %n available update(s)", "", updates) + ) diff --git a/src/Mod/Arch/Resources/translations/Arch.ts b/src/Mod/Arch/Resources/translations/Arch.ts index dc2d5c008c53..ea3676dac8b6 100644 --- a/src/Mod/Arch/Resources/translations/Arch.ts +++ b/src/Mod/Arch/Resources/translations/Arch.ts @@ -1258,8 +1258,8 @@ are placed in a 'Group' instead. - + Export options @@ -1680,40 +1680,40 @@ unit to work with when opening the file. - - + + Category - - + + Preset - - - + + + Length - - + + Width - + Height @@ -1729,8 +1729,8 @@ unit to work with when opening the file. - + Con&tinue @@ -1747,8 +1747,8 @@ unit to work with when opening the file. - + Facemaker returned an error @@ -1860,8 +1860,8 @@ unit to work with when opening the file. - + Couldn't compute a shape @@ -2028,8 +2028,8 @@ Site creation aborted. - + Please select a base object @@ -2318,37 +2318,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + + - Remove - + + - Add - - - - + + + + - + + + - - Edit @@ -2369,8 +2369,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Components @@ -2380,30 +2380,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Name - - + + Type + - Thickness - + Offset @@ -2471,9 +2471,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Axes @@ -2485,9 +2485,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written @@ -2497,8 +2497,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Please select only one base object or none @@ -3052,24 +3052,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela - + Description - - + + Value - + Unit @@ -3157,19 +3157,19 @@ Floor creation aborted. - + has a null shape - + Toggle subcomponents @@ -3179,8 +3179,8 @@ Floor creation aborted. - + Component @@ -3377,8 +3377,8 @@ Floor creation aborted. - + Building @@ -3749,14 +3749,14 @@ Building creation aborted. - + The length of this element, if not based on a profile - + The width of this element, if not based on a profile @@ -3766,15 +3766,15 @@ Building creation aborted. - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element @@ -3789,8 +3789,8 @@ Building creation aborted. - + The facemaker type to use to build the profile of this object @@ -3867,9 +3867,9 @@ Building creation aborted. - + The type of this building @@ -4188,20 +4188,20 @@ Building creation aborted. - + Other shapes that are appended to this object - + Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane @@ -4236,8 +4236,8 @@ Building creation aborted. - + The type of this object @@ -6672,9 +6672,9 @@ Building creation aborted. Command - - + + Transform diff --git a/src/Mod/Arch/Resources/translations/Arch_be.ts b/src/Mod/Arch/Resources/translations/Arch_be.ts index 2108748686c4..09ff05fcdefd 100644 --- a/src/Mod/Arch/Resources/translations/Arch_be.ts +++ b/src/Mod/Arch/Resources/translations/Arch_be.ts @@ -1293,8 +1293,8 @@ are placed in a 'Group' instead. DAE - + Export options Налады экспартавання @@ -1744,40 +1744,40 @@ unit to work with when opening the file. Налады чарчэння - - + + Category Катэгорыя - - + + Preset Перадустаноўка - - - + + + Length Даўжыня - - + + Width Шырыня - + Height Вышыня @@ -1793,8 +1793,8 @@ unit to work with when opening the file. Пераключыць даўжыню/шырыню - + Con&tinue Пра&цягнуць @@ -1811,8 +1811,8 @@ unit to work with when opening the file. Паліганальная сетка з'яўляецца хібным суцэльным целам - + Facemaker returned an error Майстар граняў вярнуў памылку @@ -1925,8 +1925,8 @@ unit to work with when opening the file. Зроблена - + Couldn't compute a shape Не атрымалася вылічыць фігуру @@ -2101,8 +2101,8 @@ Site creation aborted. Немагчыма стварыць дах - + Please select a base object Калі ласка, абярыце асноўны аб'ект @@ -2404,37 +2404,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Выбраць абранае - + + - Remove Выдаліць - + + - Add Дадаць - - - - + + + + - + + + - - Edit Змяніць @@ -2455,8 +2455,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ломаныя лініі - + Components Кампаненты @@ -2466,30 +2466,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Стварыць новы кампанент + - Name Назва - - + + Type Тып + - Thickness Таўшчыня - + Offset Зрушэнне @@ -2557,9 +2557,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Калі ласка, абярыце хаця б адну вось + - Axes Восі @@ -2571,9 +2571,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Паспяхова запісана @@ -2583,8 +2583,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Канструкцыя ферма - + Please select only one base object or none Калі ласка, абярыце толькі адзін асноўны аб'ект, альбо нічога @@ -3138,24 +3138,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Немагчыма распазнаць тып файла - + Description Апісанне - - + + Value Значэнне - + Unit Адзінка вымярэння @@ -3251,19 +3251,19 @@ Floor creation aborted. мае хібную фігуру - + has a null shape мае пустую фігуру - + Toggle subcomponents Пераключыць укладзеныя кампаненты @@ -3273,8 +3273,8 @@ Floor creation aborted. Зачыненне змены Эскізу - + Component Кампанент @@ -3471,8 +3471,8 @@ Floor creation aborted. Цэнтруе плоскасць па аб'ектах з прыведзенага вышэй спісу - + Building Будынак @@ -3851,14 +3851,14 @@ Building creation aborted. Кручэнне асновы вакол восі інструмента (ужываецца толькі ў тым выпадку, калі BasePerpendicularToTool зададзены ў True) - + The length of this element, if not based on a profile Даўжыня элементу, калі не заснаваны на профілі - + The width of this element, if not based on a profile Шырыня элементу, калі не заснаваны на профілі @@ -3868,15 +3868,15 @@ Building creation aborted. Вышыня ці глыбіня выдушвання элементу. Задайце 0 для аўтаматычнага вызначэння - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Вектар нармалі напрамку выдушвання аб'екту (пакіньце (0,0,0) для аўтаматычнага вектару нармалі) - + The structural nodes of this element Структурныя вузлы элемента @@ -3891,8 +3891,8 @@ Building creation aborted. Адлегласць зрушэння паміж цэнтральнай ліній і лініяй вузлоў - + The facemaker type to use to build the profile of this object Тып майстра граняў, які ўжываецца для стварэння профілю аб'екта @@ -3969,9 +3969,9 @@ Building creation aborted. Электрычная магутнасць у ватах (Вт), якая неабходная абсталяванню - + The type of this building Тып будынка @@ -4290,20 +4290,20 @@ Building creation aborted. URL-адрас, які паказвае дадзеную мясцовасць на супастаўленым інтэрнэт-сайце - + Other shapes that are appended to this object Іншыя фігуры, якія дадаюцца да аб'екта - + Other shapes that are subtracted from this object Іншыя фігуры, якія адымаюцца ад аб'екту - + The area of the projection of this object onto the XY plane Плошча праекцыі аб'екту на плоскасць XY @@ -4338,8 +4338,8 @@ Building creation aborted. Неабавязковае зрушэнне паміж пачаткам каардынат мадэлі (0,0,0) і кропкай, названай геаграфічнымі каардынатамі - + The type of this object Тып аб'екту @@ -6775,9 +6775,9 @@ Building creation aborted. Command - - + + Transform Пераўтварыць diff --git a/src/Mod/Arch/Resources/translations/Arch_ca.ts b/src/Mod/Arch/Resources/translations/Arch_ca.ts index 0e0c1dd4f64e..ca5de1d85aa1 100644 --- a/src/Mod/Arch/Resources/translations/Arch_ca.ts +++ b/src/Mod/Arch/Resources/translations/Arch_ca.ts @@ -1271,8 +1271,8 @@ es col·loquen en un grup. DAE - + Export options Opcions d'exportació @@ -1703,40 +1703,40 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q Mode de dibuix - - + + Category Categoria - - + + Preset Predefinits - - - + + + Length Longitud - - + + Width Amplària - + Height Alçària @@ -1752,8 +1752,8 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q Canvia L/W - + Con&tinue Con&tinua @@ -1770,8 +1770,8 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q Aquesta malla no és un sòlid vàlid - + Facemaker returned an error El generador de cares ha retornat un error @@ -1884,8 +1884,8 @@ De totes maneres, algunes aplicacions BIM utilitzen aquest factor per escollir q Fet - + Couldn't compute a shape No s'ha pogut calcular la forma @@ -2058,8 +2058,8 @@ Site creation aborted. No s'ha pogut crear un sostre - + Please select a base object Seleccioneu un objecte base @@ -2361,37 +2361,37 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Tria el seleccionat - + + - Remove Elimina - + + - Add Afegeix - - - - + + + + - + + + - - Edit Edita @@ -2412,8 +2412,8 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Wires - + Components Components @@ -2423,30 +2423,30 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Crea un component nou + - Name Nom - - + + Type Tipus + - Thickness Gruix - + Offset Equidistancia (ofset) @@ -2514,9 +2514,9 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Please select at least one axis + - Axes Axes @@ -2528,9 +2528,9 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s + - Successfully written Successfully written @@ -2540,8 +2540,8 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Gelosia - + Please select only one base object or none Please select only one base object or none @@ -3095,24 +3095,24 @@ Si Distància = 0 aleshores la distància es calcula de manera que l'alçària s Unable to recognize that file type - + Description Descripció - - + + Value Valor - + Unit Unitat @@ -3208,19 +3208,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3230,8 +3230,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3428,8 +3428,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Construcció @@ -3808,14 +3808,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3825,15 +3825,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3848,8 +3848,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3926,9 +3926,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4247,20 +4247,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4295,8 +4295,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6731,9 +6731,9 @@ Building creation aborted. Command - - + + Transform Transformar diff --git a/src/Mod/Arch/Resources/translations/Arch_cs.ts b/src/Mod/Arch/Resources/translations/Arch_cs.ts index ce2c789045a9..f2e88372d0af 100644 --- a/src/Mod/Arch/Resources/translations/Arch_cs.ts +++ b/src/Mod/Arch/Resources/translations/Arch_cs.ts @@ -1282,8 +1282,8 @@ jsou místo toho umístěny do „skupiny“. DAE - + Export options Možnosti exportu @@ -1735,40 +1735,40 @@ bude pracovat při otevírání souboru. Režim kreslení - - + + Category Kategorie - - + + Preset Předvolba - - - + + + Length Délka - - + + Width Šířka - + Height Výška @@ -1784,8 +1784,8 @@ bude pracovat při otevírání souboru. Přepnout L/W - + Con&tinue Pokračovat @@ -1802,8 +1802,8 @@ bude pracovat při otevírání souboru. Tato síť netvoří platné těleso - + Facemaker returned an error Fakulta vrátila chybu @@ -1916,8 +1916,8 @@ bude pracovat při otevírání souboru. Hotovo - + Couldn't compute a shape Nelze vypočítat tvar @@ -2092,8 +2092,8 @@ Vytvoření webu bylo přerušeno. Nelze vytvořit střechu - + Please select a base object Vyber základní objekt @@ -2395,37 +2395,37 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Vybrat vybrané - + + - Remove Odstranit - + + - Add Přidat - - - - + + + + - + + + - - Edit Upravit @@ -2446,8 +2446,8 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Dráty - + Components Komponenty @@ -2457,30 +2457,30 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Vytvořit nový díl + - Name Jméno - - + + Type Typ + - Thickness Tloušťka - + Offset Odstup @@ -2548,9 +2548,9 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Vyberte prosím alespoň jednu osu + - Axes Osy @@ -2562,9 +2562,9 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati + - Successfully written Úspěšně zapsáno @@ -2574,8 +2574,8 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Vazník - + Please select only one base object or none Vyberte prosím pouze jeden základní objekt nebo žádný @@ -3129,24 +3129,24 @@ Je-li Run = 0, pak se běh vypočítá tak, aby výška byla stejná jako relati Unable to recognize that file type - + Description Popis - - + + Value Hodnota - + Unit Jednotka @@ -3242,19 +3242,19 @@ Floor creation aborted. má neplatný tvar - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3264,8 +3264,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3462,8 +3462,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Budova @@ -3842,14 +3842,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3859,15 +3859,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3882,8 +3882,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3960,9 +3960,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4281,20 +4281,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4329,8 +4329,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object Typ tohoto objektu @@ -6765,9 +6765,9 @@ Building creation aborted. Command - - + + Transform Transformace diff --git a/src/Mod/Arch/Resources/translations/Arch_de.ts b/src/Mod/Arch/Resources/translations/Arch_de.ts index c253deb1017c..71748d0b8b90 100644 --- a/src/Mod/Arch/Resources/translations/Arch_de.ts +++ b/src/Mod/Arch/Resources/translations/Arch_de.ts @@ -1270,8 +1270,8 @@ are placed in a 'Group' instead. DAE - + Export options Export Einstellungen @@ -1704,40 +1704,40 @@ unit to work with when opening the file. Planungsmodus - - + + Category Kategorie - - + + Preset Voreinstellung - - - + + + Length Länge - - + + Width Breite - + Height Höhe @@ -1753,8 +1753,8 @@ unit to work with when opening the file. Tausche L und B - + Con&tinue Fortfahren @@ -1771,8 +1771,8 @@ unit to work with when opening the file. Dieses Polygonnetz ist ein ungültiger Volumenkörper - + Facemaker returned an error Facemaker wurde mit Fehler beendet @@ -1885,8 +1885,8 @@ unit to work with when opening the file. Fertig - + Couldn't compute a shape Es konnte keine Form berechnet werden @@ -2061,8 +2061,8 @@ Grundstück Erstellung abgebrochen. Dach konnte nicht erzeugt werden - + Please select a base object Bitte ein Basisobjekt auswählen @@ -2364,37 +2364,37 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Ausgewähltes wählen - + + - Remove Entfernen - + + - Add Hinzufügen - - - - + + + + - + + + - - Edit Bearbeiten @@ -2415,8 +2415,8 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Kantenzüge - + Components Komponenten @@ -2426,30 +2426,30 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Neue Komponente erstellen + - Name Name - - + + Type Typ + - Thickness Dicke - + Offset Versatz @@ -2517,9 +2517,9 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Bitte wählen Sie mindestens eine Achse + - Axes Achsen @@ -2531,9 +2531,9 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel + - Successfully written Erfolgreich geschrieben @@ -2543,8 +2543,8 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Traverse - + Please select only one base object or none Bitte wählen Sie nur ein Basisobjekt oder keines @@ -3098,24 +3098,24 @@ Wenn Länge = 0 dann wird die Länge so berechnet, dass die Höhe gleich dem rel Dateityp nicht erkannt - + Description Beschreibung - - + + Value Wert - + Unit Einheit @@ -3208,19 +3208,19 @@ Geschoß-Erstellung abgebrochen. hat eine ungültige Form - + has a null shape hat eine ungültige Form - + Toggle subcomponents Unterkomponenten umschalten @@ -3230,8 +3230,8 @@ Geschoß-Erstellung abgebrochen. Schließe Skizzenbearbeitung - + Component Komponente @@ -3428,8 +3428,8 @@ Geschoß-Erstellung abgebrochen. Zentriert die Ebene gemäß den Objekten in obiger Liste - + Building Gebäude @@ -3808,14 +3808,14 @@ Gebäudeerstellung abgebrochen. Rotation der Basis um die Werkzeug-Achse (funktioniert nur, wenn "Basis senkrecht zu Werkzeug"- aktiviert ist) - + The length of this element, if not based on a profile Die Länge dieses Elements, wenn es nicht auf einem Profil basiert - + The width of this element, if not based on a profile Die Breite dieses Elements, wenn es nicht auf einem Profil basiert @@ -3825,15 +3825,15 @@ Gebäudeerstellung abgebrochen. Die Höhe oder Extrusionstiefe dieses Elements. Behalten Sie 0 für automatische Bestimmung der Höhe - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Die normale Extrusionsrichtung dieses Objekts (behalten Sie (0,0,0) für die automatische Normale) - + The structural nodes of this element Die Strukturknoten dieses Elements @@ -3848,8 +3848,8 @@ Gebäudeerstellung abgebrochen. Versatzabstand zwischen der Mittellinie und der Knotenlinie - + The facemaker type to use to build the profile of this object Der Typ Flächenerzeuger, der verwendet werden soll, um das Profil dieses Objekts zu erstellen @@ -3926,9 +3926,9 @@ Gebäudeerstellung abgebrochen. Die elektrische Leistung in Watt, die dieses Gerät benötigt - + The type of this building Die Art dieses Gebäudes @@ -4247,20 +4247,20 @@ Gebäudeerstellung abgebrochen. Eine URL für diesen Standort in einer Karten-Webseite - + Other shapes that are appended to this object Andere Formen, die an dieses Objekt angehängt sind - + Other shapes that are subtracted from this object Andere Formen, die von diesem Objekt abgezogen werden - + The area of the projection of this object onto the XY plane Die Fläche der Projektion des Objekts auf die XY-Ebene @@ -4295,8 +4295,8 @@ Gebäudeerstellung abgebrochen. Ein optionaler Offset zwischen dem Modell-Ursprung (0,0,0) und dem von den Geokoordinaten angegebenen Punkt - + The type of this object Der Typ dieses Objekts @@ -6731,9 +6731,9 @@ Gebäudeerstellung abgebrochen. Command - - + + Transform Transformieren diff --git a/src/Mod/Arch/Resources/translations/Arch_el.ts b/src/Mod/Arch/Resources/translations/Arch_el.ts index 2e1b1f4908ef..f7105a814b2a 100644 --- a/src/Mod/Arch/Resources/translations/Arch_el.ts +++ b/src/Mod/Arch/Resources/translations/Arch_el.ts @@ -1279,8 +1279,8 @@ are placed in a 'Group' instead. DAE - + Export options Επιλογές εξαγωγής @@ -1732,40 +1732,40 @@ unit to work with when opening the file. Drawing mode - - + + Category Κατηγορία - - + + Preset Preset - - - + + + Length Μήκος - - + + Width Πλάτος - + Height Ύψος @@ -1781,8 +1781,8 @@ unit to work with when opening the file. Switch L/W - + Con&tinue Con&tinue @@ -1799,8 +1799,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Facemaker returned an error @@ -1913,8 +1913,8 @@ unit to work with when opening the file. Έγινε - + Couldn't compute a shape Couldn't compute a shape @@ -2089,8 +2089,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2392,37 +2392,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Διαλέξτε τα επιλεγμένα - + + - Remove Αφαίρεση - + + - Add Προσθήκη - - - - + + + + - + + + - - Edit Επεξεργασία @@ -2443,8 +2443,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components Στοιχεία @@ -2454,30 +2454,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name Όνομα - - + + Type Τύπος + - Thickness Πάχος - + Offset Μετατοπίστε @@ -2545,9 +2545,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2559,9 +2559,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2571,8 +2571,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3126,24 +3126,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Περιγραφή - - + + Value Τιμή - + Unit Μονάδα @@ -3239,19 +3239,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3261,8 +3261,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3459,8 +3459,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Κτίριο @@ -3839,14 +3839,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3856,15 +3856,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3879,8 +3879,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3957,9 +3957,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4278,20 +4278,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4326,8 +4326,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6762,9 +6762,9 @@ Building creation aborted. Command - - + + Transform Μετατόπιση diff --git a/src/Mod/Arch/Resources/translations/Arch_es-AR.ts b/src/Mod/Arch/Resources/translations/Arch_es-AR.ts index 0b2d291ded6f..2aa0b3d54a71 100644 --- a/src/Mod/Arch/Resources/translations/Arch_es-AR.ts +++ b/src/Mod/Arch/Resources/translations/Arch_es-AR.ts @@ -1282,8 +1282,8 @@ Los 'Buildings' y 'Storeys' siguen siendo importados si hay más de uno.DAE - + Export options Opciones de exportación @@ -1728,40 +1728,40 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Modo de dibujo - - + + Category Categoría - - + + Preset Predefinido - - - + + + Length Longitud - - + + Width Ancho - + Height Altura @@ -1777,8 +1777,8 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Cambiar L/W - + Con&tinue Con&tinuar @@ -1795,8 +1795,8 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Esta malla es un sólido no válido - + Facemaker returned an error Facemaker devolvió un error @@ -1909,8 +1909,8 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Hecho - + Couldn't compute a shape No se pudo procesar una forma @@ -2085,8 +2085,8 @@ Creación del sitio abortada. No se puede crear un techo - + Please select a base object Por favor, seleccione un objeto base @@ -2388,37 +2388,37 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Elegir lo seleccionado - + + - Remove Eliminar - + + - Add Agregar - - - - + + + + - + + + - - Edit Editar @@ -2439,8 +2439,8 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Alambres - + Components Componentes @@ -2450,30 +2450,30 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Crear nuevo componente + - Name Nombre - - + + Type Tipo + - Thickness Espesor - + Offset Desfase @@ -2541,9 +2541,9 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Por favor seleccione al menos un eje + - Axes Ejes @@ -2555,9 +2555,9 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu + - Successfully written Escrito correctamente @@ -2567,8 +2567,8 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Celosía - + Please select only one base object or none Por favor, seleccione sólo un objeto base o ninguno @@ -3122,24 +3122,24 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu No se puede reconocer ese tipo de archivo - + Description Descripción - - + + Value Valor - + Unit Unidad @@ -3235,19 +3235,19 @@ Creación de planta cancelada. Tiene una forma no válida - + has a null shape Tiene una forma nula - + Toggle subcomponents Alternar subcomponentes @@ -3257,8 +3257,8 @@ Creación de planta cancelada. Cerrando edición del esquema - + Component Componente @@ -3455,8 +3455,8 @@ Creación de planta cancelada. Centra el plano en los objetos de la lista anterior - + Building Edificio @@ -3835,14 +3835,14 @@ Creación de construcción cancelada. Rotación base alrededor del eje de la herramienta (sólo se utiliza si BasePerpendicularToTool es verdadero) - + The length of this element, if not based on a profile La longitud de este elemento, si no está basado en un perfil - + The width of this element, if not based on a profile La anchura de este elemento, si no está basado en un perfil @@ -3852,15 +3852,15 @@ Creación de construcción cancelada. La altura o profundidad de extrusión de este elemento. Mantener 0 para automático - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Dirección de extrusión normal de este objeto (mantener (0,0,0) para normal automática) - + The structural nodes of this element Los nodos estructurales de este elemento @@ -3875,8 +3875,8 @@ Creación de construcción cancelada. Distancia de separación entre la línea central y las líneas punteadas - + The facemaker type to use to build the profile of this object El tipo facemaker se usa para construir el perfil de este objeto @@ -3953,9 +3953,9 @@ Creación de construcción cancelada. Potencia eléctrica necesaria por este equipo en Watts - + The type of this building Tipo de este edificio @@ -4274,20 +4274,20 @@ Creación de construcción cancelada. Una URL que muestra este sitio en un sitio web de mapeo - + Other shapes that are appended to this object Otras formas que están anexadas a este objeto - + Other shapes that are subtracted from this object Otras formas que están extraídas de este objeto - + The area of the projection of this object onto the XY plane El área de la proyección de este objeto sobre el plano XY @@ -4322,8 +4322,8 @@ Creación de construcción cancelada. Un desplazamiento opcional entre el origen del modelo (0,0,0) y el punto indicado por las coordenadas geográficas - + The type of this object El tipo de este objeto @@ -6758,9 +6758,9 @@ Creación de construcción cancelada. Command - - + + Transform Transformar diff --git a/src/Mod/Arch/Resources/translations/Arch_es-ES.ts b/src/Mod/Arch/Resources/translations/Arch_es-ES.ts index 2d7f189ae1f1..1328d332bac5 100644 --- a/src/Mod/Arch/Resources/translations/Arch_es-ES.ts +++ b/src/Mod/Arch/Resources/translations/Arch_es-ES.ts @@ -1282,8 +1282,8 @@ se colocan en 'Group' en su lugar. DAE - + Export options Opciones de exportación @@ -1728,40 +1728,40 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Modo de dibujo - - + + Category Categoría - - + + Preset Predefinido - - - + + + Length Longitud - - + + Width Ancho - + Height Altura @@ -1777,8 +1777,8 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Cambiar L/W - + Con&tinue Con&tinuar @@ -1795,8 +1795,8 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Esta malla es un sólido no válido - + Facemaker returned an error Facemaker devolvió un error @@ -1909,8 +1909,8 @@ En cualquier caso, algunas aplicaciones BIM usarán este factor para elegir con Hecho - + Couldn't compute a shape No se pudo procesar una forma @@ -2085,8 +2085,8 @@ Creación del sitio abortada. No se puede crear un techo - + Please select a base object Por favor, seleccione un objeto base @@ -2388,37 +2388,37 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Elegir lo seleccionado - + + - Remove Quitar - + + - Add Añadir - - - - + + + + - + + + - - Edit Editar @@ -2439,8 +2439,8 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Alambres - + Components Componentes @@ -2450,30 +2450,30 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Crear nuevo componente + - Name Nombre - - + + Type Tipo + - Thickness Espesor - + Offset Desplazamiento @@ -2541,9 +2541,9 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Por favor seleccione al menos un eje + - Axes Ejes @@ -2555,9 +2555,9 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu + - Successfully written Escrito correctamente @@ -2567,8 +2567,8 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu Celosía - + Please select only one base object or none Por favor, seleccione sólo un objeto base o ninguno @@ -3122,24 +3122,24 @@ Si Distancia = 0 entonces la distancia es calcula de forma que la altura sea igu No se puede reconocer ese tipo de archivo - + Description Descripción - - + + Value Valor - + Unit Unidad @@ -3235,19 +3235,19 @@ Creación de planta cancelada. Tiene una forma no válida - + has a null shape Tiene una forma nula - + Toggle subcomponents Alternar subcomponentes @@ -3257,8 +3257,8 @@ Creación de planta cancelada. Cerrando edición del esquema - + Component Componente @@ -3455,8 +3455,8 @@ Creación de planta cancelada. Centra el plano en los objetos de la lista anterior - + Building Construcción @@ -3835,14 +3835,14 @@ Creación de construcción cancelada. Rotación base alrededor del eje de la herramienta (sólo se utiliza si BasePerpendicularToTool es verdadero) - + The length of this element, if not based on a profile La longitud de este elemento, si no está basado en un perfil - + The width of this element, if not based on a profile La anchura de este elemento, si no está basado en un perfil @@ -3852,15 +3852,15 @@ Creación de construcción cancelada. La altura o profundidad de extrusión de este elemento. Mantener 0 para automático - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Dirección de extrusión normal de este objeto (mantener (0,0,0) para normal automática) - + The structural nodes of this element Los nodos estructurales de este elemento @@ -3875,8 +3875,8 @@ Creación de construcción cancelada. Distancia de separación entre la línea central y las líneas punteadas - + The facemaker type to use to build the profile of this object El tipo facemaker se usa para construir el perfil de este objeto @@ -3953,9 +3953,9 @@ Creación de construcción cancelada. Potencia eléctrica necesaria por este equipo en Watts - + The type of this building Tipo de este edificio @@ -4274,20 +4274,20 @@ Creación de construcción cancelada. Una URL que muestra este sitio en un sitio web de mapeo - + Other shapes that are appended to this object Otras formas que están anexadas a este objeto - + Other shapes that are subtracted from this object Otras formas que están extraídas de este objeto - + The area of the projection of this object onto the XY plane El área de la proyección de este objeto sobre el plano XY @@ -4322,8 +4322,8 @@ Creación de construcción cancelada. Un desplazamiento opcional entre el origen del modelo (0,0,0) y el punto indicado por las coordenadas geográficas - + The type of this object El tipo de este objeto @@ -6758,9 +6758,9 @@ Creación de construcción cancelada. Command - - + + Transform Transformar diff --git a/src/Mod/Arch/Resources/translations/Arch_eu.ts b/src/Mod/Arch/Resources/translations/Arch_eu.ts index 008dfc23c565..e9ffcb7d2fdb 100644 --- a/src/Mod/Arch/Resources/translations/Arch_eu.ts +++ b/src/Mod/Arch/Resources/translations/Arch_eu.ts @@ -1283,8 +1283,8 @@ objektu guztiak 'taldea' objektu batean kokatuko dira. DAE - + Export options Esportazio-aukerak @@ -1734,40 +1734,40 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko.Marrazte modua - - + + Category Kategoria - - + + Preset Aurrezarpena - - - + + + Length Luzera - - + + Width Zabalera - + Height Altuera @@ -1783,8 +1783,8 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko.Trukatu luz./zab. - + Con&tinue Ja&rraitu @@ -1801,8 +1801,8 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko.Amaraun hau solido baliogabea da - + Facemaker returned an error Aurpegi-sortzaileak errorea eman du @@ -1915,8 +1915,8 @@ dute fitxategia irekitzean zein unitatetan egingo duten lan aukeratzeko.Egina - + Couldn't compute a shape Ezin izan da forma bat kalkulatu @@ -2091,8 +2091,8 @@ Gunearen sorrera utzi egin da. Ezin da teilatua sortu - + Please select a base object Hautatu oinarri-objektu bat @@ -2394,37 +2394,37 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Hartu hautatua - + + - Remove Kendu - + + - Add Gehitu - - - - + + + + - + + + - - Edit Editatu @@ -2445,8 +2445,8 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Alanbreak - + Components Osagaiak @@ -2456,30 +2456,30 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Sortu osagai berria + - Name Izena - - + + Type Mota + - Thickness Lodiera - + Offset Desplazamendua @@ -2547,9 +2547,9 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Hautatu gutxienez ardatz bat + - Axes Ardatzak @@ -2561,9 +2561,9 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare + - Successfully written Ongi idatzi da @@ -2573,8 +2573,8 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Zurajea - + Please select only one base object or none Hautatu oinarri-objektu bakar bat edo bat ere ez @@ -3128,24 +3128,24 @@ Distantzia = 0 bada, orduan distantzia kalkulatzen da altuera profil erlatiboare Ez da fitxategi mota hori ezagutzen - + Description Deskribapena - - + + Value Balioa - + Unit Unitatea @@ -3241,19 +3241,19 @@ Solairuaren sorrera utzi egin da. baliogabeko forma du - + has a null shape forma nulua du - + Toggle subcomponents Txandakatu azpiosagaiak @@ -3263,8 +3263,8 @@ Solairuaren sorrera utzi egin da. Krokisaren edizioa ixten - + Component Osagaia @@ -3461,8 +3461,8 @@ Solairuaren sorrera utzi egin da. Planoa goiko zerrendako objektuetan zentratzen du - + Building Eraikina @@ -3841,14 +3841,14 @@ Eraikinaren sorrera utzi egin da. Oinarriaren biraketa tresna-ardatzaren inguruan (BasePerpendicularToTool egia bada soilik erabilia) - + The length of this element, if not based on a profile Elementu honen luzera, profil batean oinarrituta ez badago - + The width of this element, if not based on a profile Elementu honen luzera, profil batean oinarrituta ez badago @@ -3858,15 +3858,15 @@ Eraikinaren sorrera utzi egin da. Elementu honen altuera edo estrusio-sakonera. Mantendu 0 balio automatikoa erabiltzeko - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Objektu honen estrusio-norabide normala (mantendu (0,0,0) normal automatikorako) - + The structural nodes of this element Elementu honen egiturazko nodoak @@ -3881,8 +3881,8 @@ Eraikinaren sorrera utzi egin da. Erdiko lerroaren eta nodo-lerroen arteko desplazamendu-distantzia - + The facemaker type to use to build the profile of this object Objektu honen profila eraikitzeko erabiliko den aurpegi-sortzailearen mota @@ -3959,9 +3959,9 @@ Eraikinaren sorrera utzi egin da. Ekipamendu honek behar duen energia elektrikoa, watt-etan - + The type of this building Eraikin honen mota @@ -4280,20 +4280,20 @@ Eraikinaren sorrera utzi egin da. Gune hau mapatze-webgune batean erakutsiko duen URL bat - + Other shapes that are appended to this object Objektu honi erantsitako beste forma batzuk - + Other shapes that are subtracted from this object Objektu honi kendutako beste forma batzuk - + The area of the projection of this object onto the XY plane Objektu honen proiekzioaren area XY planoan @@ -4328,8 +4328,8 @@ Eraikinaren sorrera utzi egin da. Ereduaren (0,0,0) jatorriaren eta geokoordinatuek adierazten duten puntuaren arteko aukerako desplazamendu bat - + The type of this object Objektu honen mota @@ -6764,9 +6764,9 @@ Eraikinaren sorrera utzi egin da. Command - - + + Transform Transformatu diff --git a/src/Mod/Arch/Resources/translations/Arch_fi.ts b/src/Mod/Arch/Resources/translations/Arch_fi.ts index 048fbd3a61ed..a4c272a86b3d 100644 --- a/src/Mod/Arch/Resources/translations/Arch_fi.ts +++ b/src/Mod/Arch/Resources/translations/Arch_fi.ts @@ -1283,8 +1283,8 @@ are placed in a 'Group' instead. DAE - + Export options Vientiasetukset @@ -1736,40 +1736,40 @@ unit to work with when opening the file. Drawing mode - - + + Category Kategoria - - + + Preset Preset - - - + + + Length Pituus - - + + Width Leveys - + Height Korkeus @@ -1785,8 +1785,8 @@ unit to work with when opening the file. Switch L/W - + Con&tinue Con&tinue @@ -1803,8 +1803,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Facemaker returned an error @@ -1917,8 +1917,8 @@ unit to work with when opening the file. Valmis - + Couldn't compute a shape Couldn't compute a shape @@ -2093,8 +2093,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2396,37 +2396,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Valitse valittu - + + - Remove Poista - + + - Add Lisää - - - - + + + + - + + + - - Edit Muokkaa @@ -2447,8 +2447,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components Osat @@ -2458,30 +2458,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Luo uusi komponentti + - Name Nimi - - + + Type Tyyppi + - Thickness Paksuus - + Offset Siirtymä @@ -2549,9 +2549,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2563,9 +2563,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2575,8 +2575,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3130,24 +3130,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Kuvaus - - + + Value Arvo - + Unit Yksikkö @@ -3243,19 +3243,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3265,8 +3265,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3463,8 +3463,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Rakennus @@ -3843,14 +3843,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3860,15 +3860,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3883,8 +3883,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3961,9 +3961,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4282,20 +4282,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4330,8 +4330,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6766,9 +6766,9 @@ Building creation aborted. Command - - + + Transform Muunna diff --git a/src/Mod/Arch/Resources/translations/Arch_fr.ts b/src/Mod/Arch/Resources/translations/Arch_fr.ts index 3765cd36f016..145b041c4011 100644 --- a/src/Mod/Arch/Resources/translations/Arch_fr.ts +++ b/src/Mod/Arch/Resources/translations/Arch_fr.ts @@ -1290,8 +1290,8 @@ Les objets "Bâtiments" et "Étages" sont toujours importés s'il y en a plus d' DAE - + Export options Options d'exportation @@ -1734,40 +1734,40 @@ travailler lors de l'ouverture du fichier. Mode Dessin - - + + Category Catégorie - - + + Preset Préréglage - - - + + + Length Longueur - - + + Width Largeur - + Height Hauteur @@ -1783,8 +1783,8 @@ travailler lors de l'ouverture du fichier. Intervertir L/La - + Con&tinue Poursuivre @@ -1801,8 +1801,8 @@ travailler lors de l'ouverture du fichier. Ce maillage n'est pas un solide valide - + Facemaker returned an error FaceMaker a retouné une erreur @@ -1915,8 +1915,8 @@ travailler lors de l'ouverture du fichier. Fait - + Couldn't compute a shape Impossible de calculer une forme @@ -2091,8 +2091,8 @@ La création du site est annulée. Impossible de créer un toit - + Please select a base object Sélectionner un objet de base @@ -2391,37 +2391,37 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Choisir la sélection - + + - Remove Supprimer - + + - Add Ajouter - - - - + + + + - + + + - - Edit Éditer @@ -2442,8 +2442,8 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Polylignes - + Components Composants @@ -2453,30 +2453,30 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Créer un nouveau composant + - Name Nom - - + + Type Type + - Thickness Épaisseur - + Offset Décalage @@ -2544,9 +2544,9 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Sélectionner au moins un axe + - Axes Axes @@ -2558,9 +2558,9 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr + - Successfully written Écrit avec succès @@ -2570,8 +2570,8 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Treillis - + Please select only one base object or none Sélectionner un seul objet de base ou aucun @@ -3125,24 +3125,24 @@ Si Course = 0 alors la course est calculée de façon à ce que la hauteur du pr Impossible de reconnaître ce type de fichier - + Description Description - - + + Value Valeur - + Unit Unité @@ -3238,19 +3238,19 @@ La création du niveau est annulée. a une forme non valide - + has a null shape a une forme nulle - + Toggle subcomponents Activer/désactiver les sous-composants @@ -3260,8 +3260,8 @@ La création du niveau est annulée. Fermeture de l'édition de l'esquisse - + Component Composant @@ -3458,8 +3458,8 @@ La création du niveau est annulée. Centre le plan sur les objets de la liste ci-dessus - + Building Bâtiment @@ -3838,14 +3838,14 @@ La création du bâtiment est annulée. Rotation de la base autour de l'axe de l'outil (utilisé uniquement si BasePerpendicularToTool est mis à vrai) - + The length of this element, if not based on a profile La longueur de cet élément, si il n'est pas basé sur un profil - + The width of this element, if not based on a profile La largeur de cet élément, si il n'est pas basé sur un profilé @@ -3855,15 +3855,15 @@ La création du bâtiment est annulée. La hauteur ou profondeur d’extrusion de cet élément. Laisser à 0 pour un réglage automatique - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) La direction d'extrusion normale de cet objet (laisser à (0,0,0) pour une normale automatique) - + The structural nodes of this element Les nœuds structurels de cet élément @@ -3878,8 +3878,8 @@ La création du bâtiment est annulée. Décalage entre la ligne centrale et la ligne des nœuds - + The facemaker type to use to build the profile of this object Le type de facemaker à utiliser pour créer le profilé de cet objet @@ -3956,9 +3956,9 @@ La création du bâtiment est annulée. La puissance électrique nécessaire à cet équipement en Watts - + The type of this building Le type de ce bâtiment @@ -4277,20 +4277,20 @@ La création du bâtiment est annulée. URL montrant ce site sur un site de cartographie - + Other shapes that are appended to this object Autres formes ajoutées à cet objet - + Other shapes that are subtracted from this object Autres formes soustraites de cet objet - + The area of the projection of this object onto the XY plane Surface projetée de l'objet sur un plan XY @@ -4325,8 +4325,8 @@ La création du bâtiment est annulée. Un décalage facultatif entre l'origine du modèle (0,0,0) et le point indiqué par les géocoordonnées - + The type of this object Le type de cet objet @@ -6762,9 +6762,9 @@ La création du bâtiment est annulée. Command - - + + Transform Transformer diff --git a/src/Mod/Arch/Resources/translations/Arch_gl.ts b/src/Mod/Arch/Resources/translations/Arch_gl.ts index c6a509c28238..68087fdf074a 100644 --- a/src/Mod/Arch/Resources/translations/Arch_gl.ts +++ b/src/Mod/Arch/Resources/translations/Arch_gl.ts @@ -1283,8 +1283,8 @@ are placed in a 'Group' instead. DAE - + Export options Opcións de exportación @@ -1736,40 +1736,40 @@ unit to work with when opening the file. Drawing mode - - + + Category Categoría - - + + Preset Preset - - - + + + Length Lonxitude - - + + Width Largura - + Height Altura @@ -1785,8 +1785,8 @@ unit to work with when opening the file. Switch L/W - + Con&tinue Con&tinue @@ -1803,8 +1803,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Facemaker returned an error @@ -1917,8 +1917,8 @@ unit to work with when opening the file. Feito - + Couldn't compute a shape Couldn't compute a shape @@ -2093,8 +2093,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2396,37 +2396,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Elixir o escolmado - + + - Remove Rexeitar - + + - Add Engadir - - - - + + + + - + + + - - Edit Editar @@ -2447,8 +2447,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components Compoñentes @@ -2458,30 +2458,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name Nome - - + + Type Tipo + - Thickness Grosor - + Offset Separación @@ -2549,9 +2549,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2563,9 +2563,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2575,8 +2575,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3130,24 +3130,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Descrición - - + + Value Valor - + Unit Unidade @@ -3243,19 +3243,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3265,8 +3265,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3463,8 +3463,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Edificio @@ -3843,14 +3843,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3860,15 +3860,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3883,8 +3883,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3961,9 +3961,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4282,20 +4282,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4330,8 +4330,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6766,9 +6766,9 @@ Building creation aborted. Command - - + + Transform Transformar diff --git a/src/Mod/Arch/Resources/translations/Arch_hr.ts b/src/Mod/Arch/Resources/translations/Arch_hr.ts index 3cd4dd4079e9..2421beb5d107 100644 --- a/src/Mod/Arch/Resources/translations/Arch_hr.ts +++ b/src/Mod/Arch/Resources/translations/Arch_hr.ts @@ -1295,8 +1295,8 @@ umjesto toga smješteni su u "Grupu". DAE - + Export options Postavke izvoza @@ -1751,33 +1751,33 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Način crtanja - - + + Category Kategorija - - + + Preset Unaprijed postavljene postavke - - - + + + Length Dužina - - + + Width @@ -1785,8 +1785,8 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Širina - + Height Visina @@ -1802,8 +1802,8 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Obrni D/Š - + Con&tinue Nas&tavi @@ -1820,8 +1820,8 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Ova mreža je nevažeće čvrsto tijelo - + Facemaker returned an error Graditelj lica je vratio pogrešku @@ -1934,8 +1934,8 @@ jedinice s kojom treba raditi prilikom otvaranja datoteke. Gotovo - + Couldn't compute a shape Oblik se nije mogao izračunati @@ -2110,8 +2110,8 @@ Stvaranje Parcele prekinuto. Nije moguće izraditi krov - + Please select a base object Odaberite osnovni objekt @@ -2425,37 +2425,37 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Pokupi odabrano - + + - Remove Ukloni - + + - Add Dodaj - - - - + + + + - + + + - - Edit Uredi @@ -2476,8 +2476,8 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Žice - + Components Komponente @@ -2487,30 +2487,30 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Izradi novu komponentu + - Name Ime - - + + Type Tip + - Thickness Debljina - + Offset Pomak @@ -2582,9 +2582,9 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Molimo odaberite najmanje jednu os + - Axes Osi @@ -2596,9 +2596,9 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn + - Successfully written Uspješno napisan @@ -2608,8 +2608,8 @@ Ako je Run = 0, tada se proračun izračunava tako da je visina jednaka relativn Poprečna greda - + Please select only one base object or none Odaberite samo jedan osnovni objekt ili nijedan @@ -3165,24 +3165,24 @@ Here is a breakdown of the translation: Nije moguće prepoznati vrstu datoteke - + Description Opis - - + + Value Vrijednost - + Unit Jedinica @@ -3278,19 +3278,19 @@ Stvaranje etaže prekinuto. ima jedan neispravan oblik - + has a null shape ima jedan ništavni oblik - + Toggle subcomponents Uključivanje/isključivanje podsastavnice @@ -3300,8 +3300,8 @@ Stvaranje etaže prekinuto. Zatvori uređivanje Skice - + Component Komponenta @@ -3498,8 +3498,8 @@ Stvaranje etaže prekinuto. Centrira ravninu na objekte na gornjem popisu - + Building Zgrada @@ -3882,14 +3882,14 @@ Stvaranje zgrade prekinuto. Rotacija osnove oko osi alata (koristi se samo ako je OsnovaOkomitoNaAlat Istina) - + The length of this element, if not based on a profile Dužina ovog elementa, ako se ne temelji na profilu - + The width of this element, if not based on a profile Širina ovog elementa, ako se ne temelji na profilu @@ -3899,15 +3899,15 @@ Stvaranje zgrade prekinuto. Visine ili dubina istiskivanja ovog elementa. Držite 0 za automatsko - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Smjer normalnog istiskivanja objekta (zadrži (0,0,0) za automatsko normalno) - + The structural nodes of this element Strukturni čvorovi ovog elementa @@ -3922,8 +3922,8 @@ Stvaranje zgrade prekinuto. Udaljenost od centralne linije i čvora - + The facemaker type to use to build the profile of this object Vrsta dotjeravanja izgleda, koristi se za izgradnju profila ovog objekta @@ -4000,9 +4000,9 @@ Stvaranje zgrade prekinuto. Električna energija potrebna u ovoj opremi - + The type of this building Vrsta ove zgrade @@ -4324,20 +4324,20 @@ Stvaranje zgrade prekinuto. Url koji pokazuje ovo mjesto na mapiranoj web-stranici - + Other shapes that are appended to this object Drugi oblici koji su dodani ovom objektu - + Other shapes that are subtracted from this object Drugi oblici koji su oduzeti ovom objektu - + The area of the projection of this object onto the XY plane Područje projekcije ovog objekta na ravnini XY @@ -4372,8 +4372,8 @@ Stvaranje zgrade prekinuto. Opcionalni pomak između porijekla modela (0,0,0) i mjesta označenog na geokoordinatama - + The type of this object Tip ovog objekta @@ -6836,9 +6836,9 @@ Stvaranje zgrade prekinuto. Command - - + + Transform Transformacija diff --git a/src/Mod/Arch/Resources/translations/Arch_hu.ts b/src/Mod/Arch/Resources/translations/Arch_hu.ts index fd5703a3c868..b2c4961945fc 100644 --- a/src/Mod/Arch/Resources/translations/Arch_hu.ts +++ b/src/Mod/Arch/Resources/translations/Arch_hu.ts @@ -1283,8 +1283,8 @@ Az 'Épületek' és az 'Emeletek' még mindig importálva vannak, ha egynél tö DAE - + Export options Exportálási beállítások @@ -1736,40 +1736,40 @@ kiválasszák a mértékegységet a fájl megnyitásakor. Rajzolási mód - - + + Category Kategória - - + + Preset Előre beállított - - - + + + Length Hossz - - + + Width Szélesség - + Height Magasság @@ -1785,8 +1785,8 @@ kiválasszák a mértékegységet a fájl megnyitásakor. Kapcsoló H/SZ - + Con&tinue Folytatás @@ -1803,8 +1803,8 @@ kiválasszák a mértékegységet a fájl megnyitásakor. Ez a háló egy érvénytelen szilárd test - + Facemaker returned an error Felületlétrehozás hibával tért vissza @@ -1917,8 +1917,8 @@ kiválasszák a mértékegységet a fájl megnyitásakor. Kész - + Couldn't compute a shape Nem tudott kiszámítani egy alakzatot @@ -2093,8 +2093,8 @@ A hely létrehozása megszakadt. Tető nem hozható létre - + Please select a base object Kérjük válassza ki az alap tárgyat @@ -2396,37 +2396,37 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Véletlenszerűen kiválasztott - + + - Remove Törlés - + + - Add Hozzáad - - - - + + + + - + + + - - Edit Szerkesztés @@ -2447,8 +2447,8 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Drótvázak - + Components Összetevők @@ -2458,30 +2458,30 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Új összetevő létrehozásához + - Name Név - - + + Type Típus + - Thickness Vastagság - + Offset Eltolás @@ -2549,9 +2549,9 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Kérlek válassz legalább egy tengelyt + - Axes Tengelyek @@ -2563,9 +2563,9 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m + - Successfully written Sikeresen kiírva @@ -2575,8 +2575,8 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Kereszttartó - + Please select only one base object or none Csak egy alaptárgyat jelöljön ki, vagy egyiket sem @@ -3130,24 +3130,24 @@ Ha Futás = 0, akkor a futás kiszámítása úgy történik, hogy a magasság m Ismeretlen file-típus - + Description Leírás - - + + Value Érték - + Unit Egység @@ -3243,19 +3243,19 @@ Szint létrehozása megszakítva. van egy érvénytelen alakzat - + has a null shape van egy nulla alakja - + Toggle subcomponents Al összetevők ki-/ bekapcsolása @@ -3265,8 +3265,8 @@ Szint létrehozása megszakítva. Vázlat szerkesztés bezárása - + Component Összetevő @@ -3463,8 +3463,8 @@ Szint létrehozása megszakítva. Sík középpontja a fenti listában szereplő tárgyakon - + Building Épület @@ -3843,14 +3843,14 @@ Building creation aborted. Alap forgás a szerszámtengely körül (csak akkor használható, ha a BasePerpendicularTool igaz) - + The length of this element, if not based on a profile Ennek az elemnek a hossza, ha nem profilon áll - + The width of this element, if not based on a profile Ennek az elemnek a szélessége, ha nem profilon áll @@ -3860,15 +3860,15 @@ Building creation aborted. Ez az elem magassága vagy kihúzás nagysága. 0 megtartása automatikushoz - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Ennek a tárgynak az aktuális kihúzás iránya (automatikus normál (0,0,0) megtartása) - + The structural nodes of this element Ennek az elemnek a szerkezeti csomópontjai @@ -3883,8 +3883,8 @@ Building creation aborted. A középtengely és az egyenes csomópontok közti eltolás - + The facemaker type to use to build the profile of this object Ennek a tárgynak a felület profiljához használt felületlétrehozó típus @@ -3961,9 +3961,9 @@ Building creation aborted. Ehhez az eszközhöz szükséges elektromos áram Wattban - + The type of this building Ennek az épületnek a típusa @@ -4282,20 +4282,20 @@ Building creation aborted. Egy URL-cím ami leképzett weboldalon jeleníti meg ezt az oldalt - + Other shapes that are appended to this object Ehhez a tárgyhoz csatolt egyéb alakzatok - + Other shapes that are subtracted from this object Ebből a tárgyból kivált egyéb alakzatok - + The area of the projection of this object onto the XY plane Ennek a tárgynak az XY síkra vetített vetületének területe @@ -4330,8 +4330,8 @@ Building creation aborted. A modell (0,0,0) eredetű és a geo-koordináták által megjelölt pont közötti választható eltolás - + The type of this object Ennek a tárgynak a típusa @@ -6766,9 +6766,9 @@ Building creation aborted. Command - - + + Transform Átalakítás diff --git a/src/Mod/Arch/Resources/translations/Arch_id.ts b/src/Mod/Arch/Resources/translations/Arch_id.ts index 50b520576cdb..c8a2e38e5ad0 100644 --- a/src/Mod/Arch/Resources/translations/Arch_id.ts +++ b/src/Mod/Arch/Resources/translations/Arch_id.ts @@ -1276,8 +1276,8 @@ are placed in a 'Group' instead. DAE - + Export options Pilihan ekspor @@ -1730,40 +1730,40 @@ unit untuk digunakan saat membuka file. Mode Drawing - - + + Category Kategori - - + + Preset Preset - - - + + + Length Panjangnya - - + + Width Lebar - + Height Tinggi @@ -1779,8 +1779,8 @@ unit untuk digunakan saat membuka file. Beralih L/W - + Con&tinue Melanjutkan @@ -1797,8 +1797,8 @@ unit untuk digunakan saat membuka file. Mesh ini adalah solid yang tidak valid - + Facemaker returned an error Facemaker mengembalikan sebuah kesalahan @@ -1911,8 +1911,8 @@ unit untuk digunakan saat membuka file. Selesai - + Couldn't compute a shape Tidak dapat menghitung bentuk @@ -2087,8 +2087,8 @@ Pembuatan situs dibatalkan. Tidak dapat membuat sebuah atap - + Please select a base object Mohon pilih sebuah objek dasar @@ -2380,37 +2380,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Pilih yang dipilih - + + - Remove Menghapus - + + - Add Menambahkan - - - - + + + + - + + + - - Edit Edit @@ -2431,8 +2431,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Kawat - + Components Komponen @@ -2442,30 +2442,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name Nama - - + + Type Jenis + - Thickness Thickness - + Offset Mengimbangi @@ -2533,9 +2533,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Silakan pilih setidaknya satu sumbu + - Axes Sumbu @@ -2547,9 +2547,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Berhasil ditulis @@ -2559,8 +2559,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3114,24 +3114,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Description - - + + Value Nilai - + Unit Satuan @@ -3227,19 +3227,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3249,8 +3249,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3447,8 +3447,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Bangunan @@ -3827,14 +3827,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3844,15 +3844,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3867,8 +3867,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3945,9 +3945,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4266,20 +4266,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4314,8 +4314,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6750,9 +6750,9 @@ Building creation aborted. Command - - + + Transform Transform diff --git a/src/Mod/Arch/Resources/translations/Arch_it.ts b/src/Mod/Arch/Resources/translations/Arch_it.ts index e821b403d6d3..c777df13aec8 100644 --- a/src/Mod/Arch/Resources/translations/Arch_it.ts +++ b/src/Mod/Arch/Resources/translations/Arch_it.ts @@ -1274,8 +1274,8 @@ are placed in a 'Group' instead. DAE - + Export options Opzioni di esportazione @@ -1722,40 +1722,40 @@ unit to work with when opening the file. Modalità di disegno - - + + Category Categoria - - + + Preset Predefinito - - - + + + Length Lunghezza - - + + Width Larghezza - + Height Altezza @@ -1771,8 +1771,8 @@ unit to work with when opening the file. Scambia L/W - + Con&tinue Con&tinua @@ -1789,8 +1789,8 @@ unit to work with when opening the file. Questa mesh non è un solido valido - + Facemaker returned an error FaceMaker ha restituito un errore @@ -1903,8 +1903,8 @@ unit to work with when opening the file. Fatto - + Couldn't compute a shape Impossibile calcolare una forma @@ -2079,8 +2079,8 @@ Creazione del Sito interrotta. Impossibile creare un tetto - + Please select a base object Selezionare un oggetto base @@ -2382,37 +2382,37 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Usa selezionata - + + - Remove Rimuovi - + + - Add Aggiungi - - - - + + + + - + + + - - Edit Modifica @@ -2433,8 +2433,8 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Polilinee - + Components Componenti @@ -2444,30 +2444,30 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Crea un nuovo componente + - Name Nome - - + + Type Tipo + - Thickness Spessore - + Offset Offset @@ -2535,9 +2535,9 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Selezionare almeno un asse + - Axes Assi @@ -2549,9 +2549,9 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d + - Successfully written Scritto correttamente @@ -2561,8 +2561,8 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Travatura - + Please select only one base object or none Si prega di selezionare un solo oggetto base o nessuno @@ -3116,24 +3116,24 @@ Se Base = 0 allora la Base viene calcolata in modo che l'altezza sia la stessa d Impossibile riconoscere quel tipo di file - + Description Descrizione - - + + Value Valore - + Unit Unità @@ -3229,19 +3229,19 @@ Creazione del Piano interrotta. ha una forma non valida - + has a null shape ha una forma nulla - + Toggle subcomponents Attiva/disattiva sottocomponenti @@ -3251,8 +3251,8 @@ Creazione del Piano interrotta. Chiudi modifica Sketch - + Component Componente @@ -3449,8 +3449,8 @@ Creazione del Piano interrotta. Centra il piano sugli oggetti nella lista precedente - + Building Edificio @@ -3829,14 +3829,14 @@ Creazione Edificio interrotta. Rotazione della Base attorno all'asse dello Strumento (usata solo se BasePerpendicularToTool è Vero) - + The length of this element, if not based on a profile La lunghezza di questo elemento, se non è basato su un profilo - + The width of this element, if not based on a profile La larghezza di questo elemento, se non è basato su un profilo @@ -3846,15 +3846,15 @@ Creazione Edificio interrotta. L'altezza o la profondità di estrusione di questo elemento. Lasciare 0 per automatico - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) La direzione di estrusione normale di questo oggetto (lasciare (0, 0,0) per normale in automatico) - + The structural nodes of this element I nodi strutturali di questo elemento @@ -3869,8 +3869,8 @@ Creazione Edificio interrotta. Distanza di offset tra la linea centrale e la linea dei nodi - + The facemaker type to use to build the profile of this object Il tipo di Crea facce da utilizzare per creare il profilo di questo oggetto @@ -3947,9 +3947,9 @@ Creazione Edificio interrotta. L'energia richiesta da questa apparecchiatura in watt - + The type of this building Il tipo di questo edificio @@ -4268,20 +4268,20 @@ Creazione Edificio interrotta. Un URL che mostra questo sito in un sito di mappatura - + Other shapes that are appended to this object Altre forme che vengono aggiunte a questo oggetto - + Other shapes that are subtracted from this object Altre forme che sono sottratte da questo oggetto - + The area of the projection of this object onto the XY plane L'area della proiezione di questo oggetto sul piano XY @@ -4316,8 +4316,8 @@ Creazione Edificio interrotta. Scostamento facoltativo tra l'origine del modello (0,0,0) e il punto indicato dalle geocoordinate - + The type of this object Il tipo di questo oggetto @@ -6752,9 +6752,9 @@ Creazione Edificio interrotta. Command - - + + Transform Trasforma diff --git a/src/Mod/Arch/Resources/translations/Arch_ja.ts b/src/Mod/Arch/Resources/translations/Arch_ja.ts index 092662d62f05..82934c8dbda6 100644 --- a/src/Mod/Arch/Resources/translations/Arch_ja.ts +++ b/src/Mod/Arch/Resources/translations/Arch_ja.ts @@ -1275,8 +1275,8 @@ are placed in a 'Group' instead. DAE - + Export options エクスポート・オプション @@ -1721,40 +1721,40 @@ unit to work with when opening the file. Drawing mode - - + + Category カテゴリ - - + + Preset Preset - - - + + + Length 長さ - - + + Width - + Height 高さ @@ -1770,8 +1770,8 @@ unit to work with when opening the file. Switch L/W - + Con&tinue Con&tinue @@ -1788,8 +1788,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Facemaker returned an error @@ -1902,8 +1902,8 @@ unit to work with when opening the file. 終了 - + Couldn't compute a shape Couldn't compute a shape @@ -2078,8 +2078,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2381,37 +2381,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela ピック選択 - + + - Remove 削除 - + + - Add 追加 - - - - + + + + - + + + - - Edit 編集 @@ -2432,8 +2432,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components コンポーネント @@ -2443,30 +2443,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name 名前 - - + + Type タイプ + - Thickness 厚み - + Offset オフセット @@ -2534,9 +2534,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2548,9 +2548,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2560,8 +2560,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3115,24 +3115,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description 説明 - - + + Value - + Unit 単位 @@ -3228,19 +3228,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3250,8 +3250,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3448,8 +3448,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building ビルディング @@ -3828,14 +3828,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3845,15 +3845,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3868,8 +3868,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3946,9 +3946,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4267,20 +4267,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4315,8 +4315,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6751,9 +6751,9 @@ Building creation aborted. Command - - + + Transform 変換 diff --git a/src/Mod/Arch/Resources/translations/Arch_ka.ts b/src/Mod/Arch/Resources/translations/Arch_ka.ts index 2a343f8bc4f2..091ef4525fed 100644 --- a/src/Mod/Arch/Resources/translations/Arch_ka.ts +++ b/src/Mod/Arch/Resources/translations/Arch_ka.ts @@ -1275,8 +1275,8 @@ are placed in a 'Group' instead. DAE - + Export options გატანის პარამეტრები @@ -1719,40 +1719,40 @@ unit to work with when opening the file. ხაზვის რეჟიმი - - + + Category კატეგორია - - + + Preset პრესეტი - - - + + + Length სიგრძე - - + + Width სიგანე - + Height სიმაღლე @@ -1768,8 +1768,8 @@ unit to work with when opening the file. სიგრძე/სიგანის გადამრთველი - + Con&tinue გაგრძ&ელება @@ -1786,8 +1786,8 @@ unit to work with when opening the file. ეს პოლიხაზი არ წარმოადგენს შეკრულ სხეულს - + Facemaker returned an error Facemaker-მა დააბრუნა შეცდომა @@ -1900,8 +1900,8 @@ unit to work with when opening the file. დასრულებულია - + Couldn't compute a shape ფიგურის გამოთვლის შეცდომა @@ -2076,8 +2076,8 @@ Site creation aborted. სახურავის შექმნა შეუძლებელია - + Please select a base object გთხოვთ, აირჩიოთ საბაზისო ობიექტი @@ -2379,37 +2379,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela მონიშნულის არჩევა - + + - Remove წაშლა - + + - Add დამატება - - - - + + + + - + + + - - Edit ჩასწორება @@ -2430,8 +2430,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela პოლიხაზები - + Components კომპონენტები @@ -2441,30 +2441,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela ახალი კომპონენტის შექმნა + - Name სახელი - - + + Type ტიპი + - Thickness სისქე - + Offset წანაცვლება @@ -2532,9 +2532,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela აირჩიეთ ერთი ღერძი მაინც + - Axes ღერძები @@ -2546,9 +2546,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written წარმატებით ჩაიწერა @@ -2558,8 +2558,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela ფერმა - + Please select only one base object or none გთხოვთ, აირჩიოთ მხოლოდ ერთი საბაზისო ობიექტი ან არცერთი @@ -3113,24 +3113,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela უცნობი ფაილის ტიპი - + Description აღწერა - - + + Value მნიშვნელობა - + Unit საზომი ერთეულები @@ -3226,19 +3226,19 @@ Floor creation aborted. აქვს არასწორი ფორმა - + has a null shape აქვს ცარიელი ფორმა - + Toggle subcomponents ქვეკომპონენტების ჩართ/გამორთ @@ -3248,8 +3248,8 @@ Floor creation aborted. ესკიზის ჩასწორების დახურვა - + Component კომპონენტი @@ -3446,8 +3446,8 @@ Floor creation aborted. სიბრტყის ზემოთ მოცემულ სიაში არსებულ ობიექტებზე დაცენტრება - + Building შენობა @@ -3826,14 +3826,14 @@ Building creation aborted. ბაზის მოტრიალება ხელსაწყოს ღერძის გარშემო (გამოიყენება მხოლოდ თუ BasePerpendicularToTool დაყენებულია "True"-ზე) - + The length of this element, if not based on a profile ამ ელემენტის სიგრძე, თუ არ არის დაფუძნებული პროფილზე - + The width of this element, if not based on a profile ამ ელემენტის სიგანე, თუ არ არის დაფუძნებული პროფილზე @@ -3843,15 +3843,15 @@ Building creation aborted. ამ ელემენტის სიმაღლე ან გამოწნევის სიღრმე. ავტომატური მნიშვნელობისთვის დატოვეთ 0 - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) ამ ობიექტის ნორმალის გამოწნეხვის მიმართულება (ავტომატური ნორმალისთვის დატოვეთ (0,0,0)) - + The structural nodes of this element ამ ელემენტის სტრუქტურული კვანძები @@ -3866,8 +3866,8 @@ Building creation aborted. ცენტრალურ ხაზსა და საკვანძო ხაზს შორის წანაცვლებული მანძილი - + The facemaker type to use to build the profile of this object ობიექტის პროფილის შესაქმნელად გამოსაყენებელი facemaker-ის ტიპი @@ -3944,9 +3944,9 @@ Building creation aborted. ამ აღჭურვილობისთვის საჭირო ელექტროენერგია ვატებში - + The type of this building შენობის ტიპი @@ -4265,20 +4265,20 @@ Building creation aborted. URL, რომელიც ამ ადგილს რუკის ვებგვერდზე აჩვენებს - + Other shapes that are appended to this object სხვა ფორმები, რომლებიც დართულია ამ ობიექტზე - + Other shapes that are subtracted from this object სხვა ფორმები, რომლებიც გამოაკლდა ამ ობიექტს - + The area of the projection of this object onto the XY plane ამ ობიექტის პროექციის ფართობი XY სიბრტყეზე @@ -4313,8 +4313,8 @@ Building creation aborted. არასავალდებულო წანაცვლება მოდელის (0,0,0) საწყისსა და გეოკოორდინატებით მითითებულ წერტილს შორის - + The type of this object ობიექტის ტიპი @@ -6755,9 +6755,9 @@ Building creation aborted. Command - - + + Transform გარდაქმნა diff --git a/src/Mod/Arch/Resources/translations/Arch_ko.ts b/src/Mod/Arch/Resources/translations/Arch_ko.ts index 90418c9383a3..1ee21e5308fc 100644 --- a/src/Mod/Arch/Resources/translations/Arch_ko.ts +++ b/src/Mod/Arch/Resources/translations/Arch_ko.ts @@ -1276,8 +1276,8 @@ are placed in a 'Group' instead. DAE - + Export options 내보내기 옵션 @@ -1718,40 +1718,40 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 그리기 모드 - - + + Category 카테고리 - - + + Preset 프리셋 - - - + + + Length 거리 - - + + Width 너비 - + Height 높이 @@ -1767,8 +1767,8 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 L/W 전환 - + Con&tinue 계속 @@ -1785,8 +1785,8 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 이 메시는 유효하지 않은 솔리드입니다 - + Facemaker returned an error 페이스메이커가 오류를 반환했습니다 @@ -1899,8 +1899,8 @@ IFC 파일은 "항상" 메트릭 단위로 작성됩니다. 임페리얼 단위 완료 - + Couldn't compute a shape 모양을 계산할 수 없습니다 @@ -2075,8 +2075,8 @@ Site creation aborted. 지붕을 만들 수 없습니다 - + Please select a base object 기본 객체를 선택 하십시오 @@ -2379,37 +2379,37 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 선택 - + + - Remove 제거 - + + - Add 추가하기 - - - - + + + + - + + + - - Edit 편집 @@ -2430,8 +2430,8 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 와이어 - + Components 구성 요소 @@ -2441,30 +2441,30 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 새 구성 요소 만들기 + - Name 이름 - - + + Type 유형 + - Thickness 두께 - + Offset 오프셋 @@ -2532,9 +2532,9 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 축을 하나 이상 선택하십시오 + - Axes @@ -2546,9 +2546,9 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 + - Successfully written 작성을 성공했습니다 @@ -2558,8 +2558,8 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 트러스 - + Please select only one base object or none 기본 객체를 하나만 선택하거나 선택하지 마십시오 @@ -3113,24 +3113,24 @@ Run = 0인 경우 Height가 상대 프로파일과 동일하도록 Run이 계산 해당 파일 형식을 인식할 수 없음 - + Description 설명 - - + + Value - + Unit 단위 @@ -3226,19 +3226,19 @@ Floor creation aborted. 유효하지 않은 도형이 있습니다 - + has a null shape 널 모양이 있습니다 - + Toggle subcomponents 하위 구성요소 전환 @@ -3248,8 +3248,8 @@ Floor creation aborted. 스케치 편집 종료 - + Component 구성 요소 @@ -3446,8 +3446,8 @@ Floor creation aborted. 위 목록의 객체에 맞게 평면을 중앙에 맞춥니다. - + Building 빌딩 @@ -3826,14 +3826,14 @@ Building creation aborted. 공구 축을 중심으로 한 베이스 회전(BasePerpendicularToTool 이 참인 경우에만 사용) - + The length of this element, if not based on a profile 프로파일에서 지원하지 않는 경우, 엘리먼트의 길이임. - + The width of this element, if not based on a profile 프로파일에서 지원하지 않는 경우, 엘리먼트의 폭임. @@ -3843,15 +3843,15 @@ Building creation aborted. 엘리먼트의 높이 또는 돌출 깊이, 자동은 0를 유지합니다. - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) 객체의 일반적인 돌출 방향(자동의 경우 (0,0,0) 를 유지) - + The structural nodes of this element 이 원소의 구조적 노드 @@ -3866,8 +3866,8 @@ Building creation aborted. 중심선과 노드 선 사이의 오프셋 거리 - + The facemaker type to use to build the profile of this object 이 객체의 프로파일을 작성하는 데 사용할 페이스메이커 유형 @@ -3944,9 +3944,9 @@ Building creation aborted. 이 장비에 필요한 와트 단위 전력 - + The type of this building 건물의 종류 @@ -4265,20 +4265,20 @@ Building creation aborted. 매핑 웹 사이트에 이 사이트를 표시하는 URL - + Other shapes that are appended to this object 이 객체에 덧붙인 다른 모양 - + Other shapes that are subtracted from this object 이 객체에서 뺀 다른 모양 - + The area of the projection of this object onto the XY plane XY 평면 위에 이 오브젝트의 투영 면적 @@ -4313,8 +4313,8 @@ Building creation aborted. 모형 (0,0,0) 원점과 지오 좌표로 표시된 점 사이의 선택적 오프셋 - + The type of this object 이 객체의 유형 @@ -6749,9 +6749,9 @@ Building creation aborted. Command - - + + Transform 변환하기 diff --git a/src/Mod/Arch/Resources/translations/Arch_nl.ts b/src/Mod/Arch/Resources/translations/Arch_nl.ts index 12fadebfb9c3..0ba9c119e45c 100644 --- a/src/Mod/Arch/Resources/translations/Arch_nl.ts +++ b/src/Mod/Arch/Resources/translations/Arch_nl.ts @@ -1279,8 +1279,8 @@ are placed in a 'Group' instead. DAE - + Export options Exportopties @@ -1730,40 +1730,40 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k Tekenmodus - - + + Category Categorie - - + + Preset Voorinstelling - - - + + + Length Lengte - - + + Width Breedte - + Height Hoogte @@ -1779,8 +1779,8 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k Switch L/W - + Con&tinue Con&tinue @@ -1797,8 +1797,8 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k Dit net vormt een ongeldige solid - + Facemaker returned an error Facemaker gaf een foutmelding @@ -1911,8 +1911,8 @@ Echter, sommige BIM programma's zullen deze conversie factor gebruiken bij het k Klaar - + Couldn't compute a shape Kon geen vorm berekenen @@ -2086,8 +2086,8 @@ Bouwterrein object wordt niet gemaakt. Onmogelijk om een dak te maken - + Please select a base object Selecteer een basisobject @@ -2389,37 +2389,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Kies geselecteerde - + + - Remove Verwijderen - + + - Add Toevoegen - - - - + + + + - + + + - - Edit Bewerken @@ -2440,8 +2440,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Draden - + Components Onderdelen @@ -2451,30 +2451,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Maak een nieuw onderdeel + - Name Naam - - + + Type Type + - Thickness Dikte - + Offset Verschuiving @@ -2542,9 +2542,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Assen @@ -2556,9 +2556,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Met succes geschreven @@ -2568,8 +2568,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3123,24 +3123,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Omschrijving - - + + Value Waarde - + Unit Eenheid @@ -3236,19 +3236,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3258,8 +3258,8 @@ Floor creation aborted. Closing Sketch edit - + Component Onderdeel @@ -3456,8 +3456,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Gebouw @@ -3836,14 +3836,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3853,15 +3853,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3876,8 +3876,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3954,9 +3954,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4275,20 +4275,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4323,8 +4323,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object Het type van dit object @@ -6759,9 +6759,9 @@ Building creation aborted. Command - - + + Transform Transformeren diff --git a/src/Mod/Arch/Resources/translations/Arch_pl.ts b/src/Mod/Arch/Resources/translations/Arch_pl.ts index 352546d4c622..81e101236706 100644 --- a/src/Mod/Arch/Resources/translations/Arch_pl.ts +++ b/src/Mod/Arch/Resources/translations/Arch_pl.ts @@ -1292,8 +1292,8 @@ umieszczone w grupie. Budynki i kondygnacje są nadal importowane, jeśli jest i DAE - + Export options Opcje eksportu @@ -1746,40 +1746,40 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. Tryb kreślenia - - + + Category Kategoria - - + + Preset Nastawa wstępna - - - + + + Length Długość - - + + Width Szerokość - + Height Wysokość @@ -1795,8 +1795,8 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. Przełącz długość / szerokość - + Con&tinue Kon&tynuuj @@ -1813,8 +1813,8 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. Ta siatka nie jest poprawną bryłą - + Facemaker returned an error Kreator ścian zwrócił błąd @@ -1927,8 +1927,8 @@ które pozwalają na wybór systemu miar przy otwieraniu pliku. Gotowe - + Couldn't compute a shape Nie można obliczyć kształtu @@ -2103,8 +2103,8 @@ Tworzenie terenu zostało przerwane. Nie można utworzyć dachu - + Please select a base object Wybierz obiekt bazowy @@ -2406,37 +2406,37 @@ obiekt do wycięcia i obiekt definiujący płaszczyznę cięcia. Wybierz zaznaczone - + + - Remove Usuń - + + - Add Dodaj - - - - + + + + - + + + - - Edit Edytuj @@ -2457,8 +2457,8 @@ obiekt do wycięcia i obiekt definiujący płaszczyznę cięcia. Polilinie - + Components Komponenty @@ -2468,30 +2468,30 @@ obiekt do wycięcia i obiekt definiujący płaszczyznę cięcia. Utwórz nowy komponent + - Name Nazwa - - + + Type Typ + - Thickness Grubość - + Offset Odsunięcie @@ -2559,9 +2559,9 @@ obiekt do wycięcia i obiekt definiujący płaszczyznę cięcia. Zaznacz przynajmniej jedną oś + - Axes Osie @@ -2573,9 +2573,9 @@ obiekt do wycięcia i obiekt definiujący płaszczyznę cięcia. + - Successfully written Zapisano pomyślnie @@ -2585,8 +2585,8 @@ obiekt do wycięcia i obiekt definiujący płaszczyznę cięcia. Wiązar - + Please select only one base object or none Proszę wybrać tylko jeden obiekt bazowy lub nic @@ -3140,24 +3140,24 @@ obiekt do wycięcia i obiekt definiujący płaszczyznę cięcia. Nie można rozpoznać typu pliku - + Description Opis - - + + Value Wartość - + Unit Jednostka @@ -3253,19 +3253,19 @@ Tworzenie piętra zostało przerwane. ma nieprawidłowy kształt - + has a null shape ma kształt zerowy - + Toggle subcomponents Przełącz komponenty podrzędne @@ -3275,8 +3275,8 @@ Tworzenie piętra zostało przerwane. Zamykanie edycji szkicu - + Component Komponent @@ -3473,8 +3473,8 @@ Tworzenie piętra zostało przerwane. Wyśrodkuje płaszczyznę na obiektach znajdujących się powyżej - + Building Budynek @@ -3853,14 +3853,14 @@ Tworzenie budynku zostało przerwane. Obrót bazy wokół osi narzędzia (używany, tylko jeśli parametr BasePerpendicularToTool ma wartość Prawda) - + The length of this element, if not based on a profile Długość tego elementu, jeśli nie jest oparta na profilu - + The width of this element, if not based on a profile Szerokość tego elementu, jeśli nie jest oparta na profilu @@ -3870,15 +3870,15 @@ Tworzenie budynku zostało przerwane. Wysokość lub głębokość wyciągnięcia tego elementu. Zostaw 0 dla automatycznej wartości - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Kierunek normalny wyciągnięcia tego obiektu (zostaw (0,0,0) dla automatycznego kierunku normalnego) - + The structural nodes of this element Węzły konstrukcyjne tego elementu @@ -3893,8 +3893,8 @@ Tworzenie budynku zostało przerwane. Odległość odsunięcia między linią środkową a linią węzłów - + The facemaker type to use to build the profile of this object Typ kreatora ścian używany do utworzenia profilu tego obiektu @@ -3971,9 +3971,9 @@ Tworzenie budynku zostało przerwane. Zapotrzebowanie na moc elektryczną osprzętu w Watach [W] - + The type of this building Typ tego budynku @@ -4292,20 +4292,20 @@ Tworzenie budynku zostało przerwane. Adres URL, który pokazuje tę lokalizację działki na mapie internetowej - + Other shapes that are appended to this object Inne kształty dołączone do obiektu - + Other shapes that are subtracted from this object Inne kształty odejmowane od obiektu - + The area of the projection of this object onto the XY plane Pole powierzchni rzutu tego obiektu na płaszczyznę XY @@ -4340,8 +4340,8 @@ Tworzenie budynku zostało przerwane. Opcjonalne odsunięcie między odniesieniem położenia modelu (0,0,0) a punktem wskazanym przez współrzędne geocentryczne - + The type of this object Typ tego obiektu @@ -6777,9 +6777,9 @@ ma pierwszeństwo przed automatycznie generowaną pod objętością. Command - - + + Transform Przemieszczenie diff --git a/src/Mod/Arch/Resources/translations/Arch_pt-BR.ts b/src/Mod/Arch/Resources/translations/Arch_pt-BR.ts index 2fa77c433832..d48efd387d55 100644 --- a/src/Mod/Arch/Resources/translations/Arch_pt-BR.ts +++ b/src/Mod/Arch/Resources/translations/Arch_pt-BR.ts @@ -1273,8 +1273,8 @@ are placed in a 'Group' instead. DAE - + Export options Opções de Exportação @@ -1715,40 +1715,40 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Modo de desenho - - + + Category Categoria - - + + Preset Predefinição - - - + + + Length Comprimento - - + + Width Largura - + Height Altura @@ -1764,8 +1764,8 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Trocar L/W - + Con&tinue Continuar @@ -1782,8 +1782,8 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Esta malha não é um sólido válido - + Facemaker returned an error O FaceMaker retornou um erro @@ -1895,8 +1895,8 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Feito - + Couldn't compute a shape Não foi possível calcular uma forma. @@ -2065,8 +2065,8 @@ Criação de sítio abortada. Não foi possível criar um telhado - + Please select a base object Por favor, selecione um objeto de base @@ -2368,37 +2368,37 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Usar seleção - + + - Remove Remover - + + - Add Adicionar - - - - + + + + - + + + - - Edit Editar @@ -2419,8 +2419,8 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Arames - + Components Componentes @@ -2430,30 +2430,30 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Criar um novo componente + - Name Nome - - + + Type Tipo + - Thickness Espessura - + Offset Deslocamento @@ -2521,9 +2521,9 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Por favor, selecione pelo menos um eixo + - Axes Eixos @@ -2535,9 +2535,9 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per + - Successfully written Gravado com sucesso @@ -2547,8 +2547,8 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Treliça - + Please select only one base object or none Por favor selecione apenas um ou nenhum objeto @@ -3102,24 +3102,24 @@ Se a extensão = 0, ela será calculada de modo que a altura seja a mesma do per Não é possível reconhecer o tipo do arquivo - + Description Descrição - - + + Value Valor - + Unit Unidade @@ -3207,19 +3207,19 @@ Floor creation aborted. tem uma forma inválida - + has a null shape tem uma forma nula - + Toggle subcomponents Alternar subcomponentes @@ -3229,8 +3229,8 @@ Floor creation aborted. Fechar edição do Esboço - + Component Componente @@ -3427,8 +3427,8 @@ Floor creation aborted. Centraliza o plano na lista de objetos acima - + Building Edificação @@ -3801,14 +3801,14 @@ Criação de edifício abortada. Rotação da Base em torno do eixo da ferramenta (usado somente se BasePerpendicularToTool for Verdadeiro) - + The length of this element, if not based on a profile O comprimento deste elemento, se não for baseado em um perfil - + The width of this element, if not based on a profile A largura deste elemento, se não for baseado em um perfil @@ -3818,15 +3818,15 @@ Criação de edifício abortada. A profundidade ou altura de extrusão deste elemento. Mantenha 0 para automático - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) A direção normal de extrusão deste objeto (mantenha (0,0,0) para normal automática) - + The structural nodes of this element Os nós estruturais deste elemento @@ -3841,8 +3841,8 @@ Criação de edifício abortada. A distância o eixo central e a linha de nós - + The facemaker type to use to build the profile of this object O tipo de gerador de faces a ser usado para construir o perfil deste objeto @@ -3919,9 +3919,9 @@ Criação de edifício abortada. A energia elétrica necessária para este equipamento em Watts - + The type of this building O tipo desta construção @@ -4240,20 +4240,20 @@ Criação de edifício abortada. Uma url que mostra este site em um site de mapeamento - + Other shapes that are appended to this object Outras formas que são acrescentadas a este objeto - + Other shapes that are subtracted from this object Outras formas que são subtraídas deste objeto - + The area of the projection of this object onto the XY plane A área da projeção deste objeto no plano XY @@ -4288,8 +4288,8 @@ Criação de edifício abortada. Um deslocamento opcional entre a origem do modelo (0,0,0) e o ponto indicado pelas coordenadas geográficas - + The type of this object O tipo deste objeto @@ -6724,9 +6724,9 @@ Criação de edifício abortada. Command - - + + Transform Transformar diff --git a/src/Mod/Arch/Resources/translations/Arch_pt-PT.ts b/src/Mod/Arch/Resources/translations/Arch_pt-PT.ts index 0b541eef4cf8..8b474e51bb8b 100644 --- a/src/Mod/Arch/Resources/translations/Arch_pt-PT.ts +++ b/src/Mod/Arch/Resources/translations/Arch_pt-PT.ts @@ -1280,8 +1280,8 @@ são colocados num 'Grupo'. DAE - + Export options Opções de Exportação @@ -1728,40 +1728,40 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Modo de desenho - - + + Category Categoria - - + + Preset Predefinição - - - + + + Length Comprimento - - + + Width Largura - + Height Altura @@ -1777,8 +1777,8 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Trocar L/W - + Con&tinue Con&tinuar @@ -1795,8 +1795,8 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Esta malha é um sólido inválido - + Facemaker returned an error O Facemaker retornou um erro @@ -1909,8 +1909,8 @@ No entanto, alguns aplicativos BIM usarão este fator para escolher com qual uni Concluído - + Couldn't compute a shape Não foi possível calcular uma forma @@ -2085,8 +2085,8 @@ Criação de site abortada. Não foi possível criar um telhado - + Please select a base object Por favor, selecione um objeto base @@ -2388,37 +2388,37 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Usar seleção - + + - Remove Remover - + + - Add Adicionar - - - - + + + + - + + + - - Edit Editar @@ -2439,8 +2439,8 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Wires - + Components Componentes @@ -2450,30 +2450,30 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Criar novo componente + - Name Nome - - + + Type Tipo + - Thickness Espessura - + Offset Deslocamento paralelo @@ -2541,9 +2541,9 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Por favor, selecione pelo menos um eixo + - Axes Eixos @@ -2555,9 +2555,9 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me + - Successfully written Gravado com sucesso @@ -2567,8 +2567,8 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Treliça - + Please select only one base object or none Por favor, selecione apenas um objeto base ou nenhum @@ -3122,24 +3122,24 @@ Se executar = 0, então a execução é calculada de modo que a altura seja a me Não é possível reconhecer o tipo de arquivo - + Description Descrição - - + + Value Valor - + Unit Unidade @@ -3235,19 +3235,19 @@ Criação de piso abortada. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3257,8 +3257,8 @@ Criação de piso abortada. Closing Sketch edit - + Component Component @@ -3455,8 +3455,8 @@ Criação de piso abortada. Centers the plane on the objects in the list above - + Building Edifício @@ -3835,14 +3835,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3852,15 +3852,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3875,8 +3875,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3953,9 +3953,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4274,20 +4274,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4322,8 +4322,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6758,9 +6758,9 @@ Building creation aborted. Command - - + + Transform Transformar diff --git a/src/Mod/Arch/Resources/translations/Arch_ro.ts b/src/Mod/Arch/Resources/translations/Arch_ro.ts index 147c5246aa14..b191c6c05ad0 100644 --- a/src/Mod/Arch/Resources/translations/Arch_ro.ts +++ b/src/Mod/Arch/Resources/translations/Arch_ro.ts @@ -1283,8 +1283,8 @@ sunt plasate în schimb într-un 'Grup'. DAE - + Export options Opţiunile de export @@ -1736,40 +1736,40 @@ unitate cu care să lucreze la deschiderea fișierului. Mod desenare - - + + Category Categorie - - + + Preset Presetare - - - + + + Length Lungime - - + + Width Lăţime - + Height Înălţime @@ -1785,8 +1785,8 @@ unitate cu care să lucreze la deschiderea fișierului. Comutare L/W - + Con&tinue Continuare @@ -1803,8 +1803,8 @@ unitate cu care să lucreze la deschiderea fișierului. Această plasă este un solid nevalid - + Facemaker returned an error Facemaker a returnat o eroare @@ -1916,8 +1916,8 @@ unitate cu care să lucreze la deschiderea fișierului. Gata - + Couldn't compute a shape Nu s-a putut calcula o formă @@ -2092,8 +2092,8 @@ Crearea site-ului a fost anulată. Nu pot crea acoperișul - + Please select a base object Selectați un obiect de bază @@ -2395,37 +2395,37 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Choix sélectionné - + + - Remove Elimină - + + - Add Adaugă - - - - + + + + - + + + - - Edit Editare @@ -2446,8 +2446,8 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Fir - + Components Componente @@ -2457,30 +2457,30 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Creează o componentă nouă + - Name Nume - - + + Type Tip + - Thickness Grosime - + Offset Compensare @@ -2548,9 +2548,9 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Selectați cel puțin o axă + - Axes Axe @@ -2562,9 +2562,9 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s + - Successfully written Scris cu succes @@ -2574,8 +2574,8 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Adevărat - + Please select only one base object or none Vă rugăm să selectaţi un singur obiect de bază sau niciunul @@ -3129,24 +3129,24 @@ Dacă rulează = 0, atunci rularea este calculată astfel încât înălțimea s Imposibil de recunoscut acest tip de fișier - + Description Descriere - - + + Value Valoare - + Unit Unitate @@ -3242,19 +3242,19 @@ Crearea etajelor a fost întreruptă. are o formă invalidă - + has a null shape are o formă nulă - + Toggle subcomponents Comutare subcomponente @@ -3264,8 +3264,8 @@ Crearea etajelor a fost întreruptă. Închide editarea schiței - + Component Componentă @@ -3462,8 +3462,8 @@ Crearea etajelor a fost întreruptă. Centrează planul pe obiectele din lista de mai sus - + Building Construcţia @@ -3842,14 +3842,14 @@ Crearea de construcții a fost întreruptă. Rotația de bază în jurul axei sculei (utilizată numai dacă BasePerpendicularTool este adevărat) - + The length of this element, if not based on a profile Lungimea acestui element, dacă nu este bazat pe un profil - + The width of this element, if not based on a profile Lățimea acestui element, dacă nu este bazat pe un profil @@ -3859,15 +3859,15 @@ Crearea de construcții a fost întreruptă. Înălțimea sau adâncimea de extrudare a acestui element. Păstrați 0 pentru automat - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Direcția normală de extrudare a acestui obiect (păstrează (0,0,0) pentru normalizare automată) - + The structural nodes of this element Nodurile structurale ale acestui element @@ -3882,8 +3882,8 @@ Crearea de construcții a fost întreruptă. Compensează distanța dintre linia centrală și linia de noduri - + The facemaker type to use to build the profile of this object Tipul de facemaker folosit pentru a construi profilul acestui obiect @@ -3960,9 +3960,9 @@ Crearea de construcții a fost întreruptă. Energia electrică necesară acestui echipament în wați - + The type of this building Tipul acestei clădiri @@ -4281,20 +4281,20 @@ Crearea de construcții a fost întreruptă. Un URL care afișează acest site într-un site de cartografiere - + Other shapes that are appended to this object Alte forme care sunt atașate la acest obiect - + Other shapes that are subtracted from this object Alte forme care sunt scăzute din acest obiect - + The area of the projection of this object onto the XY plane Suprafața proiecției acestui obiect în planul XY @@ -4329,8 +4329,8 @@ Crearea de construcții a fost întreruptă. Un opţional offset între originea modelului (0,0,0) şi punctul indicat de geocoordonate - + The type of this object Tipul acestui obiect @@ -6765,9 +6765,9 @@ Crearea de construcții a fost întreruptă. Command - - + + Transform Transformare diff --git a/src/Mod/Arch/Resources/translations/Arch_ru.ts b/src/Mod/Arch/Resources/translations/Arch_ru.ts index db189d1c9ea0..0b21392a04a6 100644 --- a/src/Mod/Arch/Resources/translations/Arch_ru.ts +++ b/src/Mod/Arch/Resources/translations/Arch_ru.ts @@ -1274,8 +1274,8 @@ are placed in a 'Group' instead. DAE - + Export options Параметры экспорта @@ -1714,40 +1714,40 @@ unit to work with when opening the file. Режим рисования - - + + Category Категория - - + + Preset Предустановка - - - + + + Length Длина - - + + Width Ширина - + Height Высота @@ -1763,8 +1763,8 @@ unit to work with when opening the file. Перекл. Длина/Высота - + Con&tinue &Продолжить @@ -1781,8 +1781,8 @@ unit to work with when opening the file. Эта сетка является недействительным телом - + Facemaker returned an error Генератор граней вернул ошибку @@ -1895,8 +1895,8 @@ unit to work with when opening the file. Готово - + Couldn't compute a shape Не удалось вычислить форму @@ -2071,8 +2071,8 @@ Site creation aborted. Невозможно создать крышу - + Please select a base object Пожалуйста, выберите базовый объект @@ -2374,37 +2374,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Указать выбранное - + + - Remove Удалить - + + - Add Добавить - - - - + + + + - + + + - - Edit Редактировать @@ -2425,8 +2425,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Направляющие - + Components Компоненты @@ -2436,30 +2436,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Создать новый компонент + - Name Название - - + + Type Тип + - Thickness Толщина - + Offset Смещение @@ -2527,9 +2527,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Пожалуйста, выберите по крайней мере одну ось + - Axes Оси @@ -2541,9 +2541,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Успешно записано @@ -2553,8 +2553,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ферма - + Please select only one base object or none Пожалуйста, выберите только один базовый объект или ничего @@ -3108,24 +3108,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Не удается определить тип файла - + Description Описание - - + + Value Значение - + Unit Единица измерения @@ -3221,19 +3221,19 @@ Floor creation aborted. имеет неправильную фигуру - + has a null shape Имеет пустую форму - + Toggle subcomponents Переключить подкомпоненты @@ -3243,8 +3243,8 @@ Floor creation aborted. Закрытие редактирования эскиза - + Component Компонент @@ -3441,8 +3441,8 @@ Floor creation aborted. Центровать плоскость по объектам в списке - + Building Здание @@ -3821,14 +3821,14 @@ Building creation aborted. Вращение базы вокруг оси инструмента (используется только если BasePerpendicularToTool равен True) - + The length of this element, if not based on a profile Длина элемента, если не определена в профиле - + The width of this element, if not based on a profile Ширина элемента, если она не определена в профиле @@ -3838,15 +3838,15 @@ Building creation aborted. Высота или глубина выдавливания элемента. Задайте 0 для автоматического определения - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Нормальное направление выдавливания для этого объекта (оставить (0,0,0) для задания автоматической нормали) - + The structural nodes of this element Структурные узлы этого элемента @@ -3861,8 +3861,8 @@ Building creation aborted. Расстояние смещения между осевой и узловой линией - + The facemaker type to use to build the profile of this object Facemaker тип, используемый для построения профиля объекта @@ -3939,9 +3939,9 @@ Building creation aborted. Электрическая мощность в ваттах, необходимая оборудованию - + The type of this building Тип здания @@ -4260,20 +4260,20 @@ Building creation aborted. Ссылка для показа участка на картографическом сайте - + Other shapes that are appended to this object Другие фигуры, добавленные к объекту - + Other shapes that are subtracted from this object Другие фигуры, которые вычитаются из этого объекта - + The area of the projection of this object onto the XY plane Площадь проекции объекта на плоскость XY @@ -4308,8 +4308,8 @@ Building creation aborted. Опционально смещение между началом координат модели (0,0,0) и точкой, обозначенную геокоординатами - + The type of this object Тип данного объекта @@ -6744,9 +6744,9 @@ Building creation aborted. Command - - + + Transform Преобразовать diff --git a/src/Mod/Arch/Resources/translations/Arch_sl.ts b/src/Mod/Arch/Resources/translations/Arch_sl.ts index e05c6b1a74fe..5d4a855b34cd 100644 --- a/src/Mod/Arch/Resources/translations/Arch_sl.ts +++ b/src/Mod/Arch/Resources/translations/Arch_sl.ts @@ -1283,8 +1283,8 @@ Ne glede na to, pa se "Stavbe" in "Nadstropja" uvozijo, če jih je več od enega DAE - + Export options Možnosti izvoza @@ -1735,40 +1735,40 @@ da se pri odpiranju datoteke izbere delovne enote. Risalni način - - + + Category Skupina - - + + Preset Prednastavljeno - - - + + + Length Dolžina - - + + Width Širina - + Height Višina @@ -1784,8 +1784,8 @@ da se pri odpiranju datoteke izbere delovne enote. Preklopi D/Š - + Con&tinue &Nadaljuj @@ -1802,8 +1802,8 @@ da se pri odpiranju datoteke izbere delovne enote. To ploskovje ni veljavno telo - + Facemaker returned an error Ploskovnik je vrnil napako @@ -1916,8 +1916,8 @@ da se pri odpiranju datoteke izbere delovne enote. Končano - + Couldn't compute a shape Ni bilo možno izračunati oblike @@ -2092,8 +2092,8 @@ Ustvarjanje lokacije prekinjeno. Strehe ni bilo mogoče ustvariti - + Please select a base object Izberite osnovni objekt @@ -2395,37 +2395,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Izberi označeno - + + - Remove Odstrani - + + - Add Dodaj - - - - + + + + - + + + - - Edit Uredi @@ -2446,8 +2446,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Črtovja - + Components Sestavine @@ -2457,30 +2457,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ustvari novo sestavino + - Name Ime - - + + Type Vrsta + - Thickness Debelina - + Offset Odmik @@ -2548,9 +2548,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Izberite vsaj eno os + - Axes Osi @@ -2562,9 +2562,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Uspešno zapisano @@ -2574,8 +2574,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Paličje - + Please select only one base object or none Izberite le en osnovni predmet ali pa nobenega @@ -3129,24 +3129,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Te vrste datoteke ni mogoče prepoznati - + Description Opis - - + + Value Vrednost - + Unit Enota @@ -3242,19 +3242,19 @@ Ustvarjanje etaže prekinjeno. ima neveljavno obliko - + has a null shape ima ničelno obliko - + Toggle subcomponents Preklapljanje podsestavin @@ -3264,8 +3264,8 @@ Ustvarjanje etaže prekinjeno. Zapiranje urejanja očrta - + Component Sestavina @@ -3462,8 +3462,8 @@ Ustvarjanje etaže prekinjeno. Usredini ravnino na predmete z zgornjega seznama - + Building Zgradba @@ -3840,14 +3840,14 @@ Ustvarjanj stavbe prekinjeno. Sukanje osnove okoli osi orodja (uporablja se le, če je Pravokotnost osnove na orodje omogočena) - + The length of this element, if not based on a profile Dolžina tega gradnika, če ne izhaja iz preseka - + The width of this element, if not based on a profile Širina tega gradnika, če ne izhaja iz preseka @@ -3857,15 +3857,15 @@ Ustvarjanj stavbe prekinjeno. Višina oziroma globina izriva tega gradnika. Pustite 0 za samodejnost - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) Normala smeri izrivanja tega predmeta (pustite (0,0,0) za samodejno smer) - + The structural nodes of this element Konstrukcijska vozlišča tega gradnika @@ -3880,8 +3880,8 @@ Ustvarjanj stavbe prekinjeno. Odmik med središčnico in vozliščno črto - + The facemaker type to use to build the profile of this object Vrsta "facemaker" uporabljena za izgradnjo profila predmeta @@ -3958,9 +3958,9 @@ Ustvarjanj stavbe prekinjeno. Električna energija v vatih, ki jo ta oprema rabi - + The type of this building Vrsta te zgradbe @@ -4279,20 +4279,20 @@ Ustvarjanj stavbe prekinjeno. URL, ki prikazuje to lokacijo na spletnem zemljevidu - + Other shapes that are appended to this object Druge oblike, ki so pripete temu predmetu - + Other shapes that are subtracted from this object Druge oblike, ki so odštete od tega predmeta - + The area of the projection of this object onto the XY plane Površina preslikave tega predmeta na ravnino XY @@ -4327,8 +4327,8 @@ Ustvarjanj stavbe prekinjeno. Neobvezen odmik med izhodiščem modela (0,0,0) in točko podano v zemljepisnih sorednicah - + The type of this object Vrsta tega predmeta @@ -6763,9 +6763,9 @@ Ustvarjanj stavbe prekinjeno. Command - - + + Transform Preoblikuj diff --git a/src/Mod/Arch/Resources/translations/Arch_sr-CS.ts b/src/Mod/Arch/Resources/translations/Arch_sr-CS.ts index 14b0a548dfe6..09cefcf99e0f 100644 --- a/src/Mod/Arch/Resources/translations/Arch_sr-CS.ts +++ b/src/Mod/Arch/Resources/translations/Arch_sr-CS.ts @@ -1283,8 +1283,8 @@ are placed in a 'Group' instead. DAE - + Export options Opcije izvoza @@ -1736,40 +1736,40 @@ jedinicama treba raditi prilikom otvaranja datoteke. Drawing mode - - + + Category Kategorija - - + + Preset Preset - - - + + + Length Dužina - - + + Width Širina - + Height Visina @@ -1785,8 +1785,8 @@ jedinicama treba raditi prilikom otvaranja datoteke. Switch L/W - + Con&tinue Con&tinue @@ -1803,8 +1803,8 @@ jedinicama treba raditi prilikom otvaranja datoteke. This mesh is an invalid solid - + Facemaker returned an error Tvorac stranica je vratio grešku @@ -1917,8 +1917,8 @@ jedinicama treba raditi prilikom otvaranja datoteke. Gotovo - + Couldn't compute a shape Couldn't compute a shape @@ -2093,8 +2093,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2396,37 +2396,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Izaberi - + + - Remove Ukloni - + + - Add Dodaj - - - - + + + + - + + + - - Edit Uredi @@ -2447,8 +2447,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components Komponente @@ -2458,30 +2458,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name Ime - - + + Type Vrsta + - Thickness Debljina - + Offset Odmak @@ -2549,9 +2549,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2563,9 +2563,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2575,8 +2575,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3130,24 +3130,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Opis - - + + Value Vrednost - + Unit Merna jedinica @@ -3243,19 +3243,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3265,8 +3265,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3463,8 +3463,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Building @@ -3843,14 +3843,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3860,15 +3860,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3883,8 +3883,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object Vrsta tvorca stranica koja će se koristiti za pravljenje profila ovog objekta @@ -3961,9 +3961,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4282,20 +4282,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4330,8 +4330,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6766,9 +6766,9 @@ Building creation aborted. Command - - + + Transform Pomeri diff --git a/src/Mod/Arch/Resources/translations/Arch_sr.ts b/src/Mod/Arch/Resources/translations/Arch_sr.ts index abd4722c4fc0..df9156024e41 100644 --- a/src/Mod/Arch/Resources/translations/Arch_sr.ts +++ b/src/Mod/Arch/Resources/translations/Arch_sr.ts @@ -1283,8 +1283,8 @@ are placed in a 'Group' instead. DAE - + Export options Опције извоза @@ -1736,40 +1736,40 @@ unit to work with when opening the file. Drawing mode - - + + Category Категорија - - + + Preset Preset - - - + + + Length Дужина - - + + Width Ширина - + Height Висина @@ -1785,8 +1785,8 @@ unit to work with when opening the file. Switch L/W - + Con&tinue Con&tinue @@ -1803,8 +1803,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Творац страница је вратио грешку @@ -1917,8 +1917,8 @@ unit to work with when opening the file. Готово - + Couldn't compute a shape Couldn't compute a shape @@ -2093,8 +2093,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2396,37 +2396,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Изабери - + + - Remove Уклони - + + - Add Додај - - - - + + + + - + + + - - Edit Уреди @@ -2447,8 +2447,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components Компоненте @@ -2458,30 +2458,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name Име - - + + Type Врста + - Thickness Дебљина - + Offset Одмак @@ -2549,9 +2549,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2563,9 +2563,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2575,8 +2575,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3130,24 +3130,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Опис - - + + Value Вредност - + Unit Мерна јединица @@ -3243,19 +3243,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3265,8 +3265,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3463,8 +3463,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Building @@ -3843,14 +3843,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3860,15 +3860,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3883,8 +3883,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object Врста творца страница која ће се користити за прављење профила овог објекта @@ -3961,9 +3961,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4282,20 +4282,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4330,8 +4330,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6766,9 +6766,9 @@ Building creation aborted. Command - - + + Transform Помери diff --git a/src/Mod/Arch/Resources/translations/Arch_sv-SE.ts b/src/Mod/Arch/Resources/translations/Arch_sv-SE.ts index 6eb202f1f33a..c97e100cf9c0 100644 --- a/src/Mod/Arch/Resources/translations/Arch_sv-SE.ts +++ b/src/Mod/Arch/Resources/translations/Arch_sv-SE.ts @@ -1282,8 +1282,8 @@ are placed in a 'Group' instead. DAE - + Export options Alternativ för exportering @@ -1734,40 +1734,40 @@ unit to work with when opening the file. Ritläge - - + + Category Kategori - - + + Preset Förval - - - + + + Length Längd - - + + Width Bredd - + Height Höjd @@ -1783,8 +1783,8 @@ unit to work with when opening the file. Byt L/W - + Con&tinue For&tsättning @@ -1801,8 +1801,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Facemaker returned an error @@ -1915,8 +1915,8 @@ unit to work with when opening the file. Färdig - + Couldn't compute a shape Kunde inte beräkna en form @@ -2091,8 +2091,8 @@ Site creation aborted. Kunde inte skapa ett tak - + Please select a base object Vänligen välj ett basobjekt @@ -2394,37 +2394,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Välj markering - + + - Remove Ta bort - + + - Add Lägg till - - - - + + + + - + + + - - Edit Redigera @@ -2445,8 +2445,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Trådar - + Components Komponenter @@ -2456,30 +2456,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Skapa ny komponent + - Name Namn - - + + Type Typ + - Thickness Tjocklek - + Offset Offset @@ -2547,9 +2547,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axlar @@ -2561,9 +2561,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Framgångsrikt skriven @@ -2573,8 +2573,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3128,24 +3128,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Kunde inte känna igen den filtypen - + Description Beskrivning - - + + Value Värde - + Unit Enhet @@ -3241,19 +3241,19 @@ Floor creation aborted. har en ogiltig form - + has a null shape has a null shape - + Toggle subcomponents Växla underkomponenter @@ -3263,8 +3263,8 @@ Floor creation aborted. Closing Sketch edit - + Component Komponent @@ -3461,8 +3461,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Byggnad @@ -3841,14 +3841,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3858,15 +3858,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3881,8 +3881,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3959,9 +3959,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4280,20 +4280,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4328,8 +4328,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object Typen av detta objekt @@ -6764,9 +6764,9 @@ Building creation aborted. Command - - + + Transform Omvandla diff --git a/src/Mod/Arch/Resources/translations/Arch_tr.ts b/src/Mod/Arch/Resources/translations/Arch_tr.ts index baa7090ab4e1..f7bbb79dddd5 100644 --- a/src/Mod/Arch/Resources/translations/Arch_tr.ts +++ b/src/Mod/Arch/Resources/translations/Arch_tr.ts @@ -1281,8 +1281,8 @@ bunun yerine bir 'Grup'a yerleştirilir. DAE - + Export options Dışa aktarım seçenekleri @@ -1732,40 +1732,40 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular.Çizim modu - - + + Category Kategori - - + + Preset Ön ayar - - - + + + Length Uzunluk - - + + Width Genişlik - + Height Yükseklik @@ -1781,8 +1781,8 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular.L/W değiştir - + Con&tinue Devam @@ -1799,8 +1799,8 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular.Bu kafes hatalı bir katıdır - + Facemaker returned an error Facemaker bir hata döndürdü @@ -1913,8 +1913,8 @@ Ancak bazı BIM uygulamaları dosya açılırken seçilen faktörü uygular.Bitti - + Couldn't compute a shape Couldn't compute a shape @@ -2089,8 +2089,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2392,37 +2392,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Seçilen çekme - + + - Remove Kaldır - + + - Add Ekle - - - - + + + + - + + + - - Edit Düzenle @@ -2443,8 +2443,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components Bileşenler @@ -2454,30 +2454,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name Isim - - + + Type Türü + - Thickness Kalınlık - + Offset Uzaklaşma @@ -2545,9 +2545,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2559,9 +2559,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2571,8 +2571,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3126,24 +3126,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Açıklama - - + + Value Değer - + Unit Birim @@ -3239,19 +3239,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3261,8 +3261,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3459,8 +3459,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building İnşa ediliyor @@ -3839,14 +3839,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3856,15 +3856,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3879,8 +3879,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3957,9 +3957,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4278,20 +4278,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4326,8 +4326,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6763,9 +6763,9 @@ Building creation aborted. Command - - + + Transform Dönüştür diff --git a/src/Mod/Arch/Resources/translations/Arch_uk.ts b/src/Mod/Arch/Resources/translations/Arch_uk.ts index e8147ea89fe8..2fc32735f6b3 100644 --- a/src/Mod/Arch/Resources/translations/Arch_uk.ts +++ b/src/Mod/Arch/Resources/translations/Arch_uk.ts @@ -1291,8 +1291,8 @@ are placed in a 'Group' instead. DAE - + Export options Налаштування експорту @@ -1744,40 +1744,40 @@ unit to work with when opening the file. Режим креслення - - + + Category Категорія - - + + Preset Налаштування - - - + + + Length Довжина - - + + Width Ширина - + Height Висота @@ -1793,8 +1793,8 @@ unit to work with when opening the file. Перемкнути Д/Ш [Довжина/Ширина] - + Con&tinue Продовжити @@ -1811,8 +1811,8 @@ unit to work with when opening the file. Ця сітка не може бути тілом - + Facemaker returned an error Генератор граней повернув помилку @@ -1925,8 +1925,8 @@ unit to work with when opening the file. Готово - + Couldn't compute a shape Не вдалось обчислити форму @@ -2101,8 +2101,8 @@ Site creation aborted. Не вдалося створити покрівлю - + Please select a base object Будь ласка, виберіть базовий об'єкт @@ -2404,37 +2404,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Вибрати вибране - + + - Remove Вилучити - + + - Add Додати - - - - + + + + - + + + - - Edit Редагувати @@ -2455,8 +2455,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Сітки - + Components Компоненти @@ -2466,30 +2466,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Створити новий компонент + - Name Назва - - + + Type Тип + - Thickness Товщина - + Offset Зсув @@ -2557,9 +2557,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Виберіть принаймні одну вісь + - Axes Вісі @@ -2571,9 +2571,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Записано успішно @@ -2583,8 +2583,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Ферма - + Please select only one base object or none Виберіть лише один базовий об'єкт або нічого не вибирайте, будь ласка @@ -3138,24 +3138,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Опис - - + + Value Значення - + Unit Одиниця @@ -3251,19 +3251,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3273,8 +3273,8 @@ Floor creation aborted. Closing Sketch edit - + Component Компонент @@ -3471,8 +3471,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Будівля @@ -3851,14 +3851,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3868,15 +3868,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3891,8 +3891,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3969,9 +3969,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4290,20 +4290,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4338,8 +4338,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6774,9 +6774,9 @@ Building creation aborted. Command - - + + Transform Перетворити diff --git a/src/Mod/Arch/Resources/translations/Arch_val-ES.ts b/src/Mod/Arch/Resources/translations/Arch_val-ES.ts index cb7434e667e3..3b7a8b37dd34 100644 --- a/src/Mod/Arch/Resources/translations/Arch_val-ES.ts +++ b/src/Mod/Arch/Resources/translations/Arch_val-ES.ts @@ -1271,8 +1271,8 @@ are placed in a 'Group' instead. DAE - + Export options Opcions d'exportació @@ -1705,40 +1705,40 @@ unit to work with when opening the file. Drawing mode - - + + Category Categoria - - + + Preset Preset - - - + + + Length Longitud - - + + Width Amplària - + Height Alçària @@ -1754,8 +1754,8 @@ unit to work with when opening the file. Switch L/W - + Con&tinue Con&tinue @@ -1772,8 +1772,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Facemaker returned an error @@ -1886,8 +1886,8 @@ unit to work with when opening the file. Fet - + Couldn't compute a shape Couldn't compute a shape @@ -2062,8 +2062,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2365,37 +2365,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Tria el seleccionat - + + - Remove Elimina - + + - Add Afegir - - - - + + + + - + + + - - Edit Edita @@ -2416,8 +2416,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components Components @@ -2427,30 +2427,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name Nom - - + + Type Tipus + - Thickness Gruix - + Offset Separació @@ -2518,9 +2518,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2532,9 +2532,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2544,8 +2544,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3099,24 +3099,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description Descripció - - + + Value Valor - + Unit Unitat @@ -3212,19 +3212,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3234,8 +3234,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3432,8 +3432,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building Construcció @@ -3812,14 +3812,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3829,15 +3829,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3852,8 +3852,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3930,9 +3930,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4251,20 +4251,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4299,8 +4299,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6735,9 +6735,9 @@ Building creation aborted. Command - - + + Transform Transforma diff --git a/src/Mod/Arch/Resources/translations/Arch_zh-CN.ts b/src/Mod/Arch/Resources/translations/Arch_zh-CN.ts index 6d6d75b867c3..0fca54edb9c0 100644 --- a/src/Mod/Arch/Resources/translations/Arch_zh-CN.ts +++ b/src/Mod/Arch/Resources/translations/Arch_zh-CN.ts @@ -1277,8 +1277,8 @@ are placed in a 'Group' instead. DAE - + Export options 导出选项 @@ -1720,40 +1720,40 @@ unit to work with when opening the file. 绘图模式 - - + + Category 类别 - - + + Preset 预设值 - - - + + + Length 长度 - - + + Width 宽度 - + Height 高度 @@ -1769,8 +1769,8 @@ unit to work with when opening the file. 切换 长/宽 - + Con&tinue 继续&t @@ -1787,8 +1787,8 @@ unit to work with when opening the file. 该网格是无效实体 - + Facemaker returned an error 服务器返回了一个错误 @@ -1901,8 +1901,8 @@ unit to work with when opening the file. 完成 - + Couldn't compute a shape 无法计算形状 @@ -2074,8 +2074,8 @@ Site creation aborted. 无法创建屋顶 - + Please select a base object 请选择一个基物体 @@ -2377,37 +2377,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 选取选定的 - + + - Remove 删除 - + + - Add 添加 - - - - + + + + - + + + - - Edit 编辑 @@ -2428,8 +2428,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 线框 - + Components 组件 @@ -2439,30 +2439,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 创建新组件 + - Name 名称 - - + + Type 类型 + - Thickness 厚度 - + Offset 偏移 @@ -2530,9 +2530,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 请至少选择一个坐标轴 + - Axes 坐标轴 @@ -2544,9 +2544,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written 写入成功 @@ -2556,8 +2556,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 桁架 - + Please select only one base object or none 请只选择一个基对象或不选 @@ -3111,24 +3111,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description 描述 - - + + Value - + Unit 单位 @@ -3224,19 +3224,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3246,8 +3246,8 @@ Floor creation aborted. Closing Sketch edit - + Component Component @@ -3444,8 +3444,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building 建筑 @@ -3824,14 +3824,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3841,15 +3841,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element The structural nodes of this element @@ -3864,8 +3864,8 @@ Building creation aborted. Offset distance between the centerline and the nodes line - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3942,9 +3942,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4263,20 +4263,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4311,8 +4311,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6747,9 +6747,9 @@ Building creation aborted. Command - - + + Transform 变换 diff --git a/src/Mod/Arch/Resources/translations/Arch_zh-TW.ts b/src/Mod/Arch/Resources/translations/Arch_zh-TW.ts index 2d90ae9d0788..929dd6bec701 100644 --- a/src/Mod/Arch/Resources/translations/Arch_zh-TW.ts +++ b/src/Mod/Arch/Resources/translations/Arch_zh-TW.ts @@ -1274,8 +1274,8 @@ are placed in a 'Group' instead. DAE - + Export options 匯出選項 @@ -1723,40 +1723,40 @@ unit to work with when opening the file. 繪圖模式 - - + + Category 類別 - - + + Preset 預設 - - - + + + Length 間距 - - + + Width 寬度 - + Height 高度 @@ -1772,8 +1772,8 @@ unit to work with when opening the file. 切換 L/W - + Con&tinue 繼續(&t) @@ -1790,8 +1790,8 @@ unit to work with when opening the file. This mesh is an invalid solid - + Facemaker returned an error Facemaker returned an error @@ -1904,8 +1904,8 @@ unit to work with when opening the file. 完成 - + Couldn't compute a shape Couldn't compute a shape @@ -2078,8 +2078,8 @@ Site creation aborted. Unable to create a roof - + Please select a base object Please select a base object @@ -2381,37 +2381,37 @@ If Run = 0 then the run is calculated so that the height is the same as the rela 挑選 - + + - Remove 移除 - + + - Add 新增 - - - - + + + + - + + + - - Edit 編輯 @@ -2432,8 +2432,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Wires - + Components 組件 @@ -2443,30 +2443,30 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Create new component + - Name 名稱 - - + + Type 類型 + - Thickness 厚度 - + Offset 偏移 @@ -2534,9 +2534,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Please select at least one axis + - Axes Axes @@ -2548,9 +2548,9 @@ If Run = 0 then the run is calculated so that the height is the same as the rela + - Successfully written Successfully written @@ -2560,8 +2560,8 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Truss - + Please select only one base object or none Please select only one base object or none @@ -3115,24 +3115,24 @@ If Run = 0 then the run is calculated so that the height is the same as the rela Unable to recognize that file type - + Description 說明 - - + + Value - + Unit 單位 @@ -3228,19 +3228,19 @@ Floor creation aborted. has an invalid shape - + has a null shape has a null shape - + Toggle subcomponents Toggle subcomponents @@ -3250,8 +3250,8 @@ Floor creation aborted. Closing Sketch edit - + Component 組件 @@ -3448,8 +3448,8 @@ Floor creation aborted. Centers the plane on the objects in the list above - + Building 建築 @@ -3828,14 +3828,14 @@ Building creation aborted. Base rotation around the Tool axis (only used if BasePerpendicularToTool is True) - + The length of this element, if not based on a profile The length of this element, if not based on a profile - + The width of this element, if not based on a profile The width of this element, if not based on a profile @@ -3845,15 +3845,15 @@ Building creation aborted. The height or extrusion depth of this element. Keep 0 for automatic - + The normal extrusion direction of this object (keep (0,0,0) for automatic normal) The normal extrusion direction of this object (keep (0,0,0) for automatic normal) - + The structural nodes of this element 此元件之結構節點 @@ -3868,8 +3868,8 @@ Building creation aborted. 中心線與節點線之偏移距離 - + The facemaker type to use to build the profile of this object The facemaker type to use to build the profile of this object @@ -3946,9 +3946,9 @@ Building creation aborted. The electric power needed by this equipment in Watts - + The type of this building The type of this building @@ -4267,20 +4267,20 @@ Building creation aborted. A URL that shows this site in a mapping website - + Other shapes that are appended to this object Other shapes that are appended to this object - + Other shapes that are subtracted from this object Other shapes that are subtracted from this object - + The area of the projection of this object onto the XY plane The area of the projection of this object onto the XY plane @@ -4315,8 +4315,8 @@ Building creation aborted. An optional offset between the model (0,0,0) origin and the point indicated by the geocoordinates - + The type of this object The type of this object @@ -6751,9 +6751,9 @@ Building creation aborted. Command - - + + Transform 轉換 diff --git a/src/Mod/Cloud/App/AppCloud.cpp b/src/Mod/Cloud/App/AppCloud.cpp index bdbc52485fbb..8da272a57dfe 100644 --- a/src/Mod/Cloud/App/AppCloud.cpp +++ b/src/Mod/Cloud/App/AppCloud.cpp @@ -1359,7 +1359,7 @@ bool Cloud::Module::cloudSave(const char* BucketName) doc->TipName.setValue(doc->Tip.getValue()->getNameInDocument()); } - std::string LastModifiedDateString = Base::TimeInfo::currentDateTimeString(); + std::string LastModifiedDateString = Base::Tools::currentDateTimeString(); doc->LastModifiedDate.setValue(LastModifiedDateString.c_str()); // set author if needed bool saveAuthor = App::GetApplication() diff --git a/src/Mod/Draft/Resources/translations/Draft.ts b/src/Mod/Draft/Resources/translations/Draft.ts index 8eb7ab332610..8aa8c5973a2a 100644 --- a/src/Mod/Draft/Resources/translations/Draft.ts +++ b/src/Mod/Draft/Resources/translations/Draft.ts @@ -1501,6 +1501,7 @@ pattern definitions to be added to the standard patterns + @@ -1508,7 +1509,6 @@ pattern definitions to be added to the standard patterns - mm @@ -1606,8 +1606,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100. - + px @@ -1918,9 +1918,9 @@ from the Addon Manager. - - + + Import options @@ -2129,8 +2129,8 @@ If it is set to '0' the whole spline is treated as a straight segment. - + Export options @@ -2399,8 +2399,8 @@ These lines are thicker than normal grid lines. - + Automatic @@ -3306,23 +3306,23 @@ To enabled FreeCAD to download these libraries, answer Yes. - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. @@ -3483,9 +3483,9 @@ To enabled FreeCAD to download these libraries, answer Yes. - - + + Pick first point @@ -3506,8 +3506,6 @@ To enabled FreeCAD to download these libraries, answer Yes. - - @@ -3515,6 +3513,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point @@ -3719,6 +3719,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor + + + Create new style + + + + + Style name: + + + + + Style name required + + + + + No style name specified + + + + + + Style exists + + + + + + This style name already exists + + + + + Style in use + + + + + This style is used by some objects in this document. Are you sure? + + + + + Rename style + + + + + New name: + + Open styles file @@ -3923,8 +3975,8 @@ The final angle will be the base angle plus this amount. - + Pick distance @@ -3964,9 +4016,9 @@ The final angle will be the base angle plus this amount. + - Last point has been removed @@ -4352,8 +4404,8 @@ The final angle will be the base angle plus this amount. - + Select an object to upgrade @@ -4408,9 +4460,9 @@ The final angle will be the base angle plus this amount. - - + + Task panel: @@ -4421,26 +4473,26 @@ The final angle will be the base angle plus this amount. - - + + At least one element must be selected. - - + + Selection is not suitable for array. - - - - + + + + Object: @@ -4460,16 +4512,16 @@ The final angle will be the base angle plus this amount. - - + + Fuse: - - + + Create Link array: @@ -4484,8 +4536,8 @@ The final angle will be the base angle plus this amount. - + Center of rotation: @@ -4741,11 +4793,11 @@ The final angle will be the base angle plus this amount. - - + + Wrong input: base_object not in document. @@ -4757,19 +4809,22 @@ The final angle will be the base angle plus this amount. - - - + + + Wrong input: must be a number. - + + + + @@ -4779,10 +4834,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. @@ -4810,8 +4862,8 @@ The final angle will be the base angle plus this amount. - + Wrong input: must be an integer number. @@ -5222,9 +5274,9 @@ The final angle will be the base angle plus this amount. - - + + renamed 'DisplayMode' options to 'World/Screen' @@ -5424,16 +5476,16 @@ from menu Tools -> Addon Manager - - + + True - - + + False @@ -6924,19 +6976,19 @@ set True for fusion or False for compound - + Create a face - - + + The area of this object @@ -6980,8 +7032,8 @@ set True for fusion or False for compound - + The object along which the copies will be distributed. It must contain 'Edges'. @@ -6996,9 +7048,9 @@ set True for fusion or False for compound - - + + Show the individual array elements (only for Link arrays) @@ -7093,8 +7145,8 @@ they will only be editable by changing the style through the 'Annotation st - + The base object that will be duplicated @@ -7837,14 +7889,14 @@ Use 'arch' to force US arch notation - + Arrow size - + Arrow type diff --git a/src/Mod/Draft/Resources/translations/Draft_be.qm b/src/Mod/Draft/Resources/translations/Draft_be.qm index 853c6c084e7d..ae7aef03a61d 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_be.qm and b/src/Mod/Draft/Resources/translations/Draft_be.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_be.ts b/src/Mod/Draft/Resources/translations/Draft_be.ts index 66e67bcac031..f22dbef405c6 100644 --- a/src/Mod/Draft/Resources/translations/Draft_be.ts +++ b/src/Mod/Draft/Resources/translations/Draft_be.ts @@ -1544,6 +1544,7 @@ pattern definitions to be added to the standard patterns Памер шрыфту + @@ -1551,7 +1552,6 @@ pattern definitions to be added to the standard patterns - mm мм @@ -1655,8 +1655,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.Першапачатковая шырыня лініі - + px пікселяў @@ -1979,9 +1979,9 @@ from the Addon Manager. Дазволіць FreeCAD аўтаматычна спампоўваць і абнаўляць бібліятэкі DXF - - + + Import options Налады імпартавання @@ -2195,8 +2195,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Калі ён усталяваны ў '0', то ўвесь сплайн апрацоўваецца як прамы сегмент. - + Export options Налады экспартавання @@ -2472,8 +2472,8 @@ These lines are thicker than normal grid lines. Абярыце службовую праграму "dwg2dxf", калі ўжываеце LibreDWG, "ODAFileConverter", калі ўжываеце сродак пераўтварэння файлаў ODA, ці службовую праграму "dwg2dwg", калі ўжываеце QCAD pro. - + Automatic Аўтаматычна @@ -3391,23 +3391,23 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Задайце маштаб, які ўжываецца інструментамі заметкі Чарнавіка - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Без бягучага дакументу. Перарываецца. @@ -3568,9 +3568,9 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Выберыце становішча тэксту - - + + Pick first point Выберыце першую кропку @@ -3591,8 +3591,6 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Ломаная лінія - - @@ -3600,6 +3598,8 @@ https://github.com/yorikvanhavre/Draft-dxf-importer + + Pick next point Выберыце наступную кропку @@ -3804,6 +3804,58 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Annotation style editor Рэдактар стылю заметак + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4009,8 +4061,8 @@ The final angle will be the base angle plus this amount. Абярыце аб'ект, каб абрэзаць ці выцягнуць - + Pick distance Выберыце адлегласць @@ -4050,9 +4102,9 @@ The final angle will be the base angle plus this amount. Сплайн быў замкнуты + - Last point has been removed Апошняя кропка была выдаленая @@ -4438,8 +4490,8 @@ The final angle will be the base angle plus this amount. Змяніць ухіл - + Select an object to upgrade Абярыце аб'ект для абнаўлення @@ -4494,9 +4546,9 @@ The final angle will be the base angle plus this amount. Разбіць - - + + Task panel: Панэль задач: @@ -4507,26 +4559,26 @@ The final angle will be the base angle plus this amount. Палярная сетка - - + + At least one element must be selected. Павінна быць абрана, па меншай меры, адзін элемент. - - + + Selection is not suitable for array. Выбар не падыходзіць для масіву. - - - - + + + + Object: Аб'ект: @@ -4546,16 +4598,16 @@ The final angle will be the base angle plus this amount. Вугал ніжэй 360 градусаў. Для працягу зададзена гэтае значэнне. - - + + Fuse: Аб'яднаць: - - + + Create Link array: Стварыць Сетку спасылак: @@ -4570,8 +4622,8 @@ The final angle will be the base angle plus this amount. Палярны вугал: - + Center of rotation: Цэнтр вярчэння: @@ -4827,11 +4879,11 @@ The final angle will be the base angle plus this amount. Не атрымалася зрабіць фігуру: - - + + Wrong input: base_object not in document. Няправільны ўвод: адсутнічае base_object у дакуменце. @@ -4843,19 +4895,22 @@ The final angle will be the base angle plus this amount. Няправільны ўвод: адсутнічае path_object у дакуменце. - - - + + + Wrong input: must be a number. Няправільны ўвод: павінен быць лік. - + + + + @@ -4865,10 +4920,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Няправільны ўвод: павінен быць вектар. @@ -4896,8 +4948,8 @@ The final angle will be the base angle plus this amount. Увод: адно значэнне, які пашыраны ў вектар. - + Wrong input: must be an integer number. Няправільны ўвод: павінен быць цэлы лік. @@ -5308,9 +5360,9 @@ The final angle will be the base angle plus this amount. дададзена ўласцівасць выгляду 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' налада 'DisplayMode' пераназваная ў 'World/Screen' @@ -5511,16 +5563,16 @@ from menu Tools -> Addon Manager Напрамак зрушэння не вызначана. Калі ласка, спачатку навядзіце курсор мышы на любы бок ад аб'екта, каб паказаць напрамак - - + + True Ісціна - - + + False Хлусня @@ -7093,19 +7145,19 @@ set True for fusion or False for compound - + Create a face Стварыць грань - - + + The area of this object Плошча аб'екту @@ -7149,8 +7201,8 @@ set True for fusion or False for compound Асноўны аб'ект, які будзе паўтарацца. - + The object along which the copies will be distributed. It must contain 'Edges'. Аб'ект, па якім будуць распаўсюджвацца копіі. Ён павінен утрымліваць 'Рэбры'. @@ -7165,9 +7217,9 @@ set True for fusion or False for compound Каэфіцыент павароту скручанай сеткі. - - + + Show the individual array elements (only for Link arrays) Паказваць асобныя элементы масіва (толькі для 'Сетак спасылак') @@ -7286,8 +7338,8 @@ they will only be editable by changing the style through the 'Annotation style e Пры ўжыванні захаванага стылю некаторыя ўласцівасці прадстаўлення стануць даступныя толькі для чытання; іх можна будзе мяняць, толькі калі змяніць стыль з дапамогай інструмента 'Рэдактар стыляў заметкі'. - + The base object that will be duplicated Асноўны аб'ект, які будзе паўторацца @@ -8078,14 +8130,14 @@ Use 'arch' to force US arch notation Ужывайце 'arch' для абазначэння архітэктурнай ЗША - + Arrow size Памер стрэлкі - + Arrow type Тып стрэлкі diff --git a/src/Mod/Draft/Resources/translations/Draft_ca.qm b/src/Mod/Draft/Resources/translations/Draft_ca.qm index 8bbc93a5f23b..5c4a9060d760 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_ca.qm and b/src/Mod/Draft/Resources/translations/Draft_ca.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_ca.ts b/src/Mod/Draft/Resources/translations/Draft_ca.ts index a63cfda1b7bf..6401b4633bf4 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ca.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ca.ts @@ -1539,6 +1539,7 @@ pattern definitions to be added to the standard patterns Mida del tipus de lletra + @@ -1546,7 +1547,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1647,8 +1647,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1967,9 +1967,9 @@ del gestor de complements. Permeten a FreeCAD automàticament descarregar i actualitzar les biblioteques DXF - - + + Import options Opcions d'importació @@ -2179,8 +2179,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Longitud màxima de cadascun dels segments de la polilínia. Si s'estableix en «0», l'spline sencer es tracta com un segment recte. - + Export options Opcions d'exportació @@ -2456,8 +2456,8 @@ These lines are thicker than normal grid lines. Aquest és el mètode que utilitzarà FreeCAD per convertir fitxers DWG a DXF. Si s'escull "Automàtic", FreeCAD intentarà trobar un dels convertidors següents en el mateix ordre que es mostren aquí. Si FreeCAD no en troba cap, és possible que hàgiu de triar un convertidor específic i indicar-ne el camí aquí a continuació. Trieu la utilitat "dwg2dxf" si feu servir LibreDWG, "ODAFileConverter" si feu servir el convertidor de fitxers ODA o la utilitat "dwg2dwg" si feu servir la versió professional de QCAD. - + Automatic Automàtica @@ -3370,23 +3370,23 @@ Per habilitar FreeCAD a descarregar aquestes llibreries, respongui Si.Estableix l'escala utilitzada per les eines d'anotació d'esborranys - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Cap document actiu. Avortant. @@ -3547,9 +3547,9 @@ Per habilitar FreeCAD a descarregar aquestes llibreries, respongui Si.Trieu la posició del text - - + + Pick first point Trieu el primer punt @@ -3570,8 +3570,6 @@ Per habilitar FreeCAD a descarregar aquestes llibreries, respongui Si.Polyline - - @@ -3579,6 +3577,8 @@ Per habilitar FreeCAD a descarregar aquestes llibreries, respongui Si. + + Pick next point Tria el següent punt @@ -3783,6 +3783,58 @@ Per habilitar FreeCAD a descarregar aquestes llibreries, respongui Si.Annotation style editor Editor d'estils d'anotació + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -3988,8 +4040,8 @@ L'angle final serà l'angle de base més aquesta quantitat. Seleccioneu objecte(s) per a retallar o allargar - + Pick distance Tria la distància @@ -4029,9 +4081,9 @@ L'angle final serà l'angle de base més aquesta quantitat. S'ha tancat la Spline + - Last point has been removed S'ha esborrat l'últim punt @@ -4417,8 +4469,8 @@ L'angle final serà l'angle de base més aquesta quantitat. Canvia el pendent - + Select an object to upgrade Select an object to upgrade @@ -4473,9 +4525,9 @@ L'angle final serà l'angle de base més aquesta quantitat. Downgrade - - + + Task panel: Task panel: @@ -4486,26 +4538,26 @@ L'angle final serà l'angle de base més aquesta quantitat. Matriu polar - - + + At least one element must be selected. Com a mínim s'ha de seleccionar un element. - - + + Selection is not suitable for array. La selecció no és apta per a una matriu. - - - - + + + + Object: Objecte: @@ -4525,16 +4577,16 @@ L'angle final serà l'angle de base més aquesta quantitat. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4549,8 +4601,8 @@ L'angle final serà l'angle de base més aquesta quantitat. Angle polar: - + Center of rotation: Centre de rotació: @@ -4806,11 +4858,11 @@ L'angle final serà l'angle de base més aquesta quantitat. No es pot generar la forma: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4822,19 +4874,22 @@ L'angle final serà l'angle de base més aquesta quantitat. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Entrada incorrecta: ha de ser un nombre. - + + + + @@ -4844,10 +4899,7 @@ L'angle final serà l'angle de base més aquesta quantitat. - - - - + Wrong input: must be a vector. Entrada incorrecta: ha de ser un vector. @@ -4875,8 +4927,8 @@ L'angle final serà l'angle de base més aquesta quantitat. Input: single value expanded to vector. - + Wrong input: must be an integer number. Entrada incorrecta: ha de ser un nombre enter. @@ -5287,9 +5339,9 @@ L'angle final serà l'angle de base més aquesta quantitat. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5492,16 +5544,16 @@ from menu Tools -> Addon Manager La direcció d'equidistància no ha sigut definida. Per favor, mou el cursor a un costat o altre de l'objecte per indicar-ne la direcció - - + + True Cert - - + + False Fals @@ -7080,19 +7132,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7136,8 +7188,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7152,9 +7204,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7283,8 +7335,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8087,14 +8139,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Mida de la fletxa - + Arrow type Tipus de fletxa diff --git a/src/Mod/Draft/Resources/translations/Draft_cs.qm b/src/Mod/Draft/Resources/translations/Draft_cs.qm index e1682260c4c9..ac42b5604970 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_cs.qm and b/src/Mod/Draft/Resources/translations/Draft_cs.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_cs.ts b/src/Mod/Draft/Resources/translations/Draft_cs.ts index 1f75576679dd..c6628b2f444b 100644 --- a/src/Mod/Draft/Resources/translations/Draft_cs.ts +++ b/src/Mod/Draft/Resources/translations/Draft_cs.ts @@ -1545,6 +1545,7 @@ pattern definitions to be added to the standard patterns Velikost písma + @@ -1552,7 +1553,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1653,8 +1653,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1976,9 +1976,9 @@ ze Správce doplňků. Povolit FreeCADu automaticky stáhnout a aktualizovat DXF knihovny - - + + Import options Možnosti importu @@ -2196,8 +2196,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Pokud je nastavena na '0', celý spline se považuje za přímý segment. - + Export options Možnosti exportu @@ -2474,8 +2474,8 @@ These lines are thicker than normal grid lines. Toto je metoda, kterou FreeCAD použije k převodu souborů DWG do DXF. Pokud je zvoleno "Automaticky", FreeCAD se pokusí najít jeden z následujících převodníků ve stejném pořadí, v jakém jsou uvedeny zde. Pokud FreeCAD nemůže žádný najít, možná budete muset vybrat konkrétní převodník a uvést jeho cestu zde pod. Vyberte nástroj "dwg2dxf", pokud používáte LibreDWG, "ODAFileConverter", pokud používáte konvertor souborů ODA, nebo nástroj "dwg2dwg", pokud používáte profesionální verzi QCAD. - + Automatic Automaticky @@ -3396,23 +3396,23 @@ Chcete-li povolit FreeCAD stahování těchto knihoven, odpovězte Ano.Nastavte měřítko používané nástroji pro poznámky návrhu - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Žádný aktivní dokument. Přerušení. @@ -3573,9 +3573,9 @@ Chcete-li povolit FreeCAD stahování těchto knihoven, odpovězte Ano.Vyberte polohu textu - - + + Pick first point Vyberte první bod @@ -3596,8 +3596,6 @@ Chcete-li povolit FreeCAD stahování těchto knihoven, odpovězte Ano.Lomená čára - - @@ -3605,6 +3603,8 @@ Chcete-li povolit FreeCAD stahování těchto knihoven, odpovězte Ano. + + Pick next point Vybrat další bod @@ -3809,6 +3809,58 @@ Chcete-li povolit FreeCAD stahování těchto knihoven, odpovězte Ano.Annotation style editor Editor stylu poznámky + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4014,8 +4066,8 @@ Konečný úhel bude základní úhel plus tato hodnota. Vyberte objekty, které chcete oříznout nebo prodloužit - + Pick distance Vyberte vzdálenost @@ -4055,9 +4107,9 @@ Konečný úhel bude základní úhel plus tato hodnota. Spline byl uzavřen + - Last point has been removed Poslední bod byl odstraněn @@ -4443,8 +4495,8 @@ Konečný úhel bude základní úhel plus tato hodnota. Změnit sklon - + Select an object to upgrade Vyberte objekt, který chcete upgradovat @@ -4499,9 +4551,9 @@ Konečný úhel bude základní úhel plus tato hodnota. Přejít na nižší verzi - - + + Task panel: Panel úkolů: @@ -4512,26 +4564,26 @@ Konečný úhel bude základní úhel plus tato hodnota. Polární pole - - + + At least one element must be selected. Musí být vybrán alespoň jeden prvek. - - + + Selection is not suitable for array. Výběr není vhodný pro pole. - - - - + + + + Object: Objekt: @@ -4551,16 +4603,16 @@ Konečný úhel bude základní úhel plus tato hodnota. Úhel je pod -360 stupňů. Pro pokračování je nastavena na tuto hodnotu. - - + + Fuse: Pojistka: - - + + Create Link array: Vytvořit pole odkazů: @@ -4575,8 +4627,8 @@ Konečný úhel bude základní úhel plus tato hodnota. Polární úhel: - + Center of rotation: Střed otáčení: @@ -4832,11 +4884,11 @@ Konečný úhel bude základní úhel plus tato hodnota. Nelze vygenerovat tvar: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4848,19 +4900,22 @@ Konečný úhel bude základní úhel plus tato hodnota. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Chybné zadání: musí to být číslo. - + + + + @@ -4870,10 +4925,7 @@ Konečný úhel bude základní úhel plus tato hodnota. - - - - + Wrong input: must be a vector. Chybný vstup: musí to být vektor. @@ -4901,8 +4953,8 @@ Konečný úhel bude základní úhel plus tato hodnota. Vstup: jedna hodnota rozšířena na vektor. - + Wrong input: must be an integer number. Chybný vstup: musí to být celé číslo. @@ -5313,9 +5365,9 @@ Konečný úhel bude základní úhel plus tato hodnota. přidána vlastnost zobrazení 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' přejmenoval možnosti 'DisplayMode' na 'World/Screen' @@ -5518,16 +5570,16 @@ z nabídky Nástroje -> Správce doplňků Směr odsazení není definován. Nejprve pohybujte myší na obě strany objektu, abyste označili směr - - + + True Pravda - - + + False Nepravda @@ -7107,19 +7159,19 @@ nastavte True pro fúzi nebo False pro sloučeninu - + Create a face Vytvořte obličej - - + + The area of this object Rozloha tohoto objektu @@ -7163,8 +7215,8 @@ nastavte True pro fúzi nebo False pro sloučeninu Základní objekt, který bude duplikován. - + The object along which the copies will be distributed. It must contain 'Edges'. Objekt, podél kterého budou kopie distribuovány. Musí obsahovat 'Edges'. @@ -7179,9 +7231,9 @@ nastavte True pro fúzi nebo False pro sloučeninu Rotační faktor krouceného pole. - - + + Show the individual array elements (only for Link arrays) Zobrazit jednotlivé prvky pole (pouze pro pole Link) @@ -7310,8 +7362,8 @@ Při použití uloženého stylu se některé vlastnosti pohledu stanou pouze pr budou upravitelné pouze změnou stylu pomocí nástroje 'Editor stylu poznámky'. - + The base object that will be duplicated Základní objekt, který bude duplikován @@ -8114,14 +8166,14 @@ Pro výchozí nastavení systému ponechte prázdné. Použijte 'oblouk' k vynucení americké obloukové notace - + Arrow size Velikost šipky - + Arrow type Typ šipky @@ -8186,7 +8238,7 @@ za kótovací čárou Draft - Návrh + Zkosení diff --git a/src/Mod/Draft/Resources/translations/Draft_de.qm b/src/Mod/Draft/Resources/translations/Draft_de.qm index 157d41c7a024..82a04a336211 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_de.qm and b/src/Mod/Draft/Resources/translations/Draft_de.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_de.ts b/src/Mod/Draft/Resources/translations/Draft_de.ts index c7a5a6ba2a92..1c6de6a109b9 100644 --- a/src/Mod/Draft/Resources/translations/Draft_de.ts +++ b/src/Mod/Draft/Resources/translations/Draft_de.ts @@ -658,7 +658,7 @@ Dies funktioniert nur, wenn "Verknüpfungsanordnung" deaktiviert ist. Fuse - Vereinigung + Vereinigen @@ -1535,9 +1535,10 @@ pattern definitions to be added to the standard patterns Font size - Schriftgröße + Schrifthöhe + @@ -1545,7 +1546,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1646,8 +1646,8 @@ des Maßstabs im Widget Beschriftungsmaßstab. Ist der Maßstab 1:100, ist der M Die Standard-Linienbreite - + px px @@ -1968,9 +1968,9 @@ im Addon Manager installieren. FreeCAD das automatische Herunterladen und Aktualisieren der DXF-Bibliotheken erlauben - - + + Import options Import Einstellungen @@ -2187,8 +2187,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Wenn sie auf '0' gesetzt ist, wird der gesamte Spline als geradliniger Abschnitt behandelt. - + Export options Export Einstellungen @@ -2465,8 +2465,8 @@ Diese Linien sind dicker als normale Rasterlinien. Dies ist die Methode, die FreeCAD für die Konvertierung von DWG-Dateien in DXF verwendet. Wenn Sie "Automatisch" wählen, wird FreeCAD versuchen, einen der folgenden Konverter in der Reihenfolge zu finden, in der sie hier angezeigt werden. Wenn FreeCAD keinen Konverter findet, müssen Sie einen bestimmten Konverter auswählen und dessen Pfad hier unten angeben. Wählen Sie "dwg2dxf", wenn Sie LibreDWG verwenden, "ODAFileConverter", wenn Sie den ODA-Dateikonverter verwenden, oder "dwg2dwg", wenn Sie die Pro-Version von QCAD verwenden. - + Automatic Automatisch @@ -3195,7 +3195,7 @@ Nicht verfügbar, wenn die Option "Part-Grundkörper erstellen, wenn möglich" a Offset - Versatz + Versetzen @@ -3384,23 +3384,23 @@ Um FreeCAD zu erlauben, diese Bibliotheken herunterzuladen, wählen Sie "Ja".Maßstab für Draft-Beschriftungswerkzeuge festlegen - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Kein aktives Dokument. Abbruch. @@ -3561,9 +3561,9 @@ Um FreeCAD zu erlauben, diese Bibliotheken herunterzuladen, wählen Sie "Ja".Textposition auswählen - - + + Pick first point Ersten Punkt auswählen @@ -3584,8 +3584,6 @@ Um FreeCAD zu erlauben, diese Bibliotheken herunterzuladen, wählen Sie "Ja".Polylinie - - @@ -3593,6 +3591,8 @@ Um FreeCAD zu erlauben, diese Bibliotheken herunterzuladen, wählen Sie "Ja". + + Pick next point Nächsten Punkt auswählen @@ -3797,6 +3797,58 @@ Um FreeCAD zu erlauben, diese Bibliotheken herunterzuladen, wählen Sie "Ja".Annotation style editor Editor für Anmkerungsdarstellung + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4002,8 +4054,8 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Wählen Sie Objekt(e) zum verkürzen/verlängern - + Pick distance Abstand auswählen @@ -4043,9 +4095,9 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Spline wurde geschlossen + - Last point has been removed Der letzte Punkt wurde entfernt @@ -4431,8 +4483,8 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Neigung ändern - + Select an object to upgrade Ein Objekt zum Hochstufen auswählen @@ -4487,9 +4539,9 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Zurückstufen - - + + Task panel: Taskleiste: @@ -4497,29 +4549,29 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Polar array - Polare Reihe + Polare Anordnung - - + + At least one element must be selected. Es muss mindestens ein Element ausgewählt werden. - - + + Selection is not suitable for array. Die Auswahl ist für Anordnungen ungeeignet. - - - - + + + + Object: Objekt: @@ -4539,16 +4591,16 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Der Winkel liegt unter -360 Grad. Dieser Wert wird gesetzt, um fortzufahren. - - + + Fuse: Vereinigen: - - + + Create Link array: Verknüpfungsanordnung erstellen: @@ -4563,8 +4615,8 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Polarwinkel: - + Center of rotation: Drehpunkt: @@ -4625,7 +4677,7 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Circular array - Kreisförmige Anordnung + Kreisförmige Reihe @@ -4820,11 +4872,11 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Kann Form nicht erzeugen: - - + + Wrong input: base_object not in document. Falsche Eingabe: base_object nicht im Dokument. @@ -4836,19 +4888,22 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Falsche Eingabe: path_object nicht im Dokument. - - - + + + Wrong input: must be a number. Falsche Eingabe: muss eine Zahl sein. - + + + + @@ -4858,10 +4913,7 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. - - - - + Wrong input: must be a vector. Falsche Eingabe: muss ein Vektor sein. @@ -4889,8 +4941,8 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Eingabe: Einzelwert auf Vektor erweitert. - + Wrong input: must be an integer number. Falsche Eingabe: muss eine Ganzzahl sein. @@ -5301,9 +5353,9 @@ Der endgültige Winkel ist der Basiswinkel plus dieser Betrag. Ansicht-Eigenschaft 'Textfarbe' hinzugefügt - - + + renamed 'DisplayMode' options to 'World/Screen' 'DisplayMode'-Optionen in 'World/Screen' umbenannt @@ -5506,16 +5558,16 @@ aus dem Menü Extras -> Addon Manager Versatz-Richtung ist nicht definiert. Bitte bewegen Sie die Maus zunächst auf eine Seite des Objekts, um die Richtung festzulegen - - + + True Ja - - + + False Nein @@ -5643,7 +5695,7 @@ aus dem Menü Extras -> Addon Manager Label - Beschriftung + Benennung @@ -5785,7 +5837,7 @@ Eine 'Verknüpfungsanordnung' ist effektiver, wenn viele Kopien verarbeitet werd Label - Benennung + Bezeichnung @@ -6209,7 +6261,7 @@ Mit E oder Alt+Linksklick wird das Kontextmenü an unterstützten Knoten und Obj Circular array - Kreisförmige Reihe + Kreisförmige Anordnung @@ -6298,7 +6350,7 @@ Erstellen Sie zuerst eine Gruppe, um dieses Werkzeug zu verwenden. Autogroup - Automatische Gruppe + Autogruppe @@ -6386,7 +6438,7 @@ Wenn andere Objekte ausgewählt sind, werden diese ignoriert. Fillet - Abrundung + Verrundung @@ -6695,7 +6747,7 @@ Dies ist für geschlossene Formen und Volumenkörper vorgesehen und wirkt sich n Dimension - Maß + Abmessung @@ -6819,7 +6871,7 @@ Der resultierende Klon kann in jeder seiner drei Richtungen skaliert werden. Polar array - Polare Anordnung + Polare Reihe @@ -6881,7 +6933,7 @@ und mehrere Flächen zu einer einzigen zusammengefasst werden. Offset - Versetzen + Versatz @@ -7094,19 +7146,19 @@ Wahr für Fusion oder Falsch für Verbund - + Create a face Fläche erzeugen - - + + The area of this object Die Fläche dieses Objekts @@ -7150,8 +7202,8 @@ Wahr für Fusion oder Falsch für Verbund Das Ausgangsobjekt, welches dupliziert wird. - + The object along which the copies will be distributed. It must contain 'Edges'. Das Objekt, an dem entlang die Kopien verteilt werden. Es muss 'Kanten' enthalten. @@ -7166,9 +7218,9 @@ Wahr für Fusion oder Falsch für Verbund Rotationsfaktor für Anordnungen mit Drehung. - - + + Show the individual array elements (only for Link arrays) Die einzelnen Elemente der Anordnung anzeigen (nur für Verknüpfungsanordnungen) @@ -7303,8 +7355,8 @@ Bei Verwendung eines gespeicherten Stils sind einige der Ansichtseigenschaften s Sie können nur bearbeitet werden, indem der Stil über das Tool 'Anmerkungsstil-Editor' geändert wird. - + The base object that will be duplicated Das Ausgangsobjekt, welches dupliziert wird @@ -8107,14 +8159,14 @@ Leer lassen für die Standardeinstellung des Systems. Benutzen Sie 'arch' um die US-Bogen Notation zu erzwingen - + Arrow size Pfeilgröße - + Arrow type Pfeiltyp @@ -8177,7 +8229,7 @@ beyond the dimension line Draft - Draft + Tiefgang diff --git a/src/Mod/Draft/Resources/translations/Draft_el.qm b/src/Mod/Draft/Resources/translations/Draft_el.qm index cea99ab5b6b0..a15886c51068 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_el.qm and b/src/Mod/Draft/Resources/translations/Draft_el.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_el.ts b/src/Mod/Draft/Resources/translations/Draft_el.ts index f0b2d8adcebc..27a0498e6b60 100644 --- a/src/Mod/Draft/Resources/translations/Draft_el.ts +++ b/src/Mod/Draft/Resources/translations/Draft_el.ts @@ -1542,6 +1542,7 @@ pattern definitions to be added to the standard patterns Μέγεθος γραμματοσειράς + @@ -1549,7 +1550,6 @@ pattern definitions to be added to the standard patterns - mm χιλιοστά @@ -1650,8 +1650,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1973,9 +1973,9 @@ from the Addon Manager. Να επιτρέπεται στο FreeCAD να κατεβάζει και ανανεώνει αυτόματα τις βιβλιοθήκες DXF - - + + Import options Επιλογές εισαγωγής @@ -2193,8 +2193,8 @@ If it is set to '0' the whole spline is treated as a straight segment. If it is set to '0' the whole spline is treated as a straight segment. - + Export options Επιλογές εξαγωγής @@ -2471,8 +2471,8 @@ These lines are thicker than normal grid lines. Αυτή είναι η μέθοδος που θα χρησιμοποιήσει το FreeCAD για τη μετατροπή αρχείων DWG σε DXF. Αν επιλεγεί το "Automatic", το FreeCAD θα προσπαθήσει να βρει έναν από τους παρακάτω μετατροπείς με την ίδια σειρά που εμφανίζονται εδώ. Αν το FreeCAD δεν είναι σε θέση να βρει, ίσως χρειαστεί να επιλέξετε ένα συγκεκριμένο μετατροπέα και να υποδείξετε τη διαδρομή του εδώ κάτω. Επιλέξτε το βοηθητικό πρόγραμμα "dwg2dxf" αν χρησιμοποιείτε το LibreDWG, "ODAFileConverter" εάν χρησιμοποιείτε το μετατροπέα αρχείων ODA, ή το βοηθητικό πρόγραμμα "dwg2dwg" εάν χρησιμοποιείτε την pro έκδοση του QCAD. - + Automatic Αυτόματη @@ -3070,7 +3070,7 @@ Not available if Draft preference option 'Use Part Primitives' is enabled Undo - Αναίρεση + Undo @@ -3393,23 +3393,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3570,9 +3570,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3593,8 +3593,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3602,6 +3600,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3806,6 +3806,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4011,8 +4063,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4052,9 +4104,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4440,8 +4492,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4496,9 +4548,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4509,26 +4561,26 @@ The final angle will be the base angle plus this amount. Κυκλική διάταξη - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4548,16 +4600,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4572,8 +4624,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4829,11 +4881,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4845,19 +4897,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4867,10 +4922,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4898,8 +4950,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5310,9 +5362,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' μετονομάστε τις επιλογές 'Λειτουργία εμφάνισης' σε 'World/Screen' @@ -5515,16 +5567,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Αληθές - - + + False Ψευδές @@ -7098,19 +7150,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7154,8 +7206,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7170,9 +7222,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7299,8 +7351,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8103,14 +8155,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Μέγεθος βέλους - + Arrow type Τύπος βέλους diff --git a/src/Mod/Draft/Resources/translations/Draft_es-AR.qm b/src/Mod/Draft/Resources/translations/Draft_es-AR.qm index df0b998cd725..e21273214514 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_es-AR.qm and b/src/Mod/Draft/Resources/translations/Draft_es-AR.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_es-AR.ts b/src/Mod/Draft/Resources/translations/Draft_es-AR.ts index 4e3a74d41e14..f7152764a6f4 100644 --- a/src/Mod/Draft/Resources/translations/Draft_es-AR.ts +++ b/src/Mod/Draft/Resources/translations/Draft_es-AR.ts @@ -1543,6 +1543,7 @@ pattern definitions to be added to the standard patterns Tamaño de fuente + @@ -1550,7 +1551,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1651,8 +1651,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1974,9 +1974,9 @@ desde el Administrador de Complementos. Permitir que FreeCAD descargue y actualize automáticamente las librerías DXF - - + + Import options Opciones de importación @@ -2192,8 +2192,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Si se establece en '0' toda la spline se trata como un segmento recto. - + Export options Opciones de exportación @@ -2470,8 +2470,8 @@ These lines are thicker than normal grid lines. Este es el método que FreeCAD utilizará para convertir archivos DWG a DXF. Si se elige "Automático", FreeCAD tratará de encontrar uno de los siguientes conversores en el mismo orden en que se muestran aquí. Si FreeCAD no puede encontrar ninguno, puede que necesite elegir un convertidor específico e indicar su ruta aquí abajo. Elija la utilidad "dwg2dxf" si utiliza LibreDWG, "ODAFileConverter" si utiliza el convertidor de archivos ODA, o la utilidad "dwg2dwg" si utiliza la versión pro de QCAD. - + Automatic Automático @@ -3389,23 +3389,23 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Establecer la escala utilizada por las herramientas de anotación de "draft" - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No hay documento activo. Abortando. @@ -3566,9 +3566,9 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Seleccionar posición del texto - - + + Pick first point Seleccionar primer punto @@ -3589,8 +3589,6 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Polilínea - - @@ -3598,6 +3596,8 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí. + + Pick next point Seleccionar el siguiente punto @@ -3802,6 +3802,58 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Annotation style editor Editor de estilo de anotación + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4006,8 +4058,8 @@ The final angle will be the base angle plus this amount. Seleccionar objetos para recortar o extender - + Pick distance Seleccionar distancia @@ -4047,9 +4099,9 @@ The final angle will be the base angle plus this amount. Spline ha sido cerrado + - Last point has been removed El último punto ha sido eliminado @@ -4435,8 +4487,8 @@ The final angle will be the base angle plus this amount. Cambiar pendiente - + Select an object to upgrade Seleccione objeto a actualizar @@ -4491,9 +4543,9 @@ The final angle will be the base angle plus this amount. Degradar - - + + Task panel: Panel de tarea: @@ -4504,26 +4556,26 @@ The final angle will be the base angle plus this amount. Matriz polar - - + + At least one element must be selected. Se debe seleccionar al menos un elemento. - - + + Selection is not suitable for array. La selección no es adecuada para la matriz. - - - - + + + + Object: Objeto: @@ -4543,16 +4595,16 @@ The final angle will be the base angle plus this amount. El ángulo está por debajo de -360 grados. Se ajusta a este valor para continuar. - - + + Fuse: Fusión: - - + + Create Link array: Crear matriz de Enlaces: @@ -4567,8 +4619,8 @@ The final angle will be the base angle plus this amount. Ángulo polar: - + Center of rotation: Centro de rotación: @@ -4824,11 +4876,11 @@ The final angle will be the base angle plus this amount. No se puede generar forma: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4840,19 +4892,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Entrada incorrecta: debe ser un número. - + + + + @@ -4862,10 +4917,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Entrada incorrecta: debe ser un vector. @@ -4893,8 +4945,8 @@ The final angle will be the base angle plus this amount. Entrada: valor único expandido a vector. - + Wrong input: must be an integer number. Entrada incorrecta: debe ser un número entero. @@ -5305,9 +5357,9 @@ The final angle will be the base angle plus this amount. añadida la propiedad de vista 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' opciones de 'DisplayMode' renombradas a 'World/Screen' @@ -5510,16 +5562,16 @@ por medio del menú Herramientas ▸ -> Administrador de complementosLa dirección del desplazamiento no está definida. Por favor, mueva primero el ratón a cualquier lado del objeto para indicar una dirección - - + + True Verdadero - - + + False Falso @@ -7089,19 +7141,19 @@ establecer verdadero para fusión o falso para compuesto - + Create a face Crear una cara - - + + The area of this object El área de este objeto @@ -7145,8 +7197,8 @@ establecer verdadero para fusión o falso para compuesto El objeto base que será duplicado. - + The object along which the copies will be distributed. It must contain 'Edges'. El objeto a lo largo del cual se distribuirán las copias. Debe contener 'Aristas'. @@ -7161,9 +7213,9 @@ establecer verdadero para fusión o falso para compuesto Factor de rotación de la matriz retorcida. - - + + Show the individual array elements (only for Link arrays) Muestra los elementos individuales de la matriz (sólo para matrices vinculadas) @@ -7292,8 +7344,8 @@ Al usar un estilo guardado, algunas de las propiedades de la vista se convertir sólo serán editables cambiando el estilo a través de la herramienta 'editor de estilo de anotación'. - + The base object that will be duplicated El objeto base que será duplicado @@ -8093,14 +8145,14 @@ Dejar en blanco para el valor predeterminado del sistema. Utilice 'arch' para forzar notación de arco de Estados Unidos - + Arrow size Tamaño de flecha - + Arrow type Tipo de flecha diff --git a/src/Mod/Draft/Resources/translations/Draft_es-ES.qm b/src/Mod/Draft/Resources/translations/Draft_es-ES.qm index b439d26f8c43..797cf946d5e3 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_es-ES.qm and b/src/Mod/Draft/Resources/translations/Draft_es-ES.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_es-ES.ts b/src/Mod/Draft/Resources/translations/Draft_es-ES.ts index ebba5d13fb4c..0a31c86f976d 100644 --- a/src/Mod/Draft/Resources/translations/Draft_es-ES.ts +++ b/src/Mod/Draft/Resources/translations/Draft_es-ES.ts @@ -1545,6 +1545,7 @@ pattern definitions to be added to the standard patterns Tamaño de la fuente + @@ -1552,7 +1553,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1653,8 +1653,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1976,9 +1976,9 @@ desde el Administrador de Complementos. Permitir que FreeCAD descargue y actualize automáticamente las librerías DXF - - + + Import options Importar opciones @@ -2196,8 +2196,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Si se establece en '0' toda la curva se trata como un segmento recto. - + Export options Opciones de exportación @@ -2473,8 +2473,8 @@ These lines are thicker than normal grid lines. Este es el método que FreeCAD utilizará para convertir archivos DWG a DXF. Si se elige "Automático", FreeCAD tratará de encontrar uno de los siguientes conversores en el mismo orden en que se muestran aquí. Si FreeCAD no puede encontrar ninguno, puede que necesite elegir un convertidor específico e indicar su ruta aquí abajo. Elija la utilidad "dwg2dxf" si utiliza LibreDWG, "ODAFileConverter" si utiliza el convertidor de archivos ODA, o la utilidad "dwg2dwg" si utiliza la versión pro de QCAD. - + Automatic Automatico @@ -3392,23 +3392,23 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Establecer la escala utilizada por las herramientas de anotación de "draft" - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No hay documento activo. Abortando. @@ -3569,9 +3569,9 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Seleccionar posición del texto - - + + Pick first point Seleccionar primer punto @@ -3592,8 +3592,6 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Polilínea - - @@ -3601,6 +3599,8 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí. + + Pick next point Seleccionar el siguiente punto @@ -3805,6 +3805,58 @@ Para permitir que FreeCAD descargue estas librerías, responda Sí.Annotation style editor Editor de estilo de anotación + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4009,8 +4061,8 @@ The final angle will be the base angle plus this amount. Seleccionar objetos para recortar o extender - + Pick distance Seleccionar distancia @@ -4050,9 +4102,9 @@ The final angle will be the base angle plus this amount. Spline ha sido cerrado + - Last point has been removed El último punto ha sido eliminado @@ -4438,8 +4490,8 @@ The final angle will be the base angle plus this amount. Cambiar pendiente - + Select an object to upgrade Seleccione objeto a actualizar @@ -4494,9 +4546,9 @@ The final angle will be the base angle plus this amount. Degradar - - + + Task panel: Panel de tarea: @@ -4507,26 +4559,26 @@ The final angle will be the base angle plus this amount. Matriz polar - - + + At least one element must be selected. Se debe seleccionar al menos un elemento. - - + + Selection is not suitable for array. La selección no es adecuada para la matriz. - - - - + + + + Object: Objeto: @@ -4546,16 +4598,16 @@ The final angle will be the base angle plus this amount. El ángulo está por debajo de -360 grados. Se ajusta a este valor para continuar. - - + + Fuse: Fusión: - - + + Create Link array: Crear matriz de Enlaces: @@ -4570,8 +4622,8 @@ The final angle will be the base angle plus this amount. Ángulo polar: - + Center of rotation: Centro de rotación: @@ -4827,11 +4879,11 @@ The final angle will be the base angle plus this amount. No se puede generar forma: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4843,19 +4895,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Entrada incorrecta: debe ser un número. - + + + + @@ -4865,10 +4920,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Entrada incorrecta: debe ser un vector. @@ -4896,8 +4948,8 @@ The final angle will be the base angle plus this amount. Entrada: valor único expandido a vector. - + Wrong input: must be an integer number. Entrada incorrecta: debe ser un número entero. @@ -5308,9 +5360,9 @@ The final angle will be the base angle plus this amount. añadida la propiedad de vista 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' opciones de 'DisplayMode' renombradas a 'World/Screen' @@ -5513,16 +5565,16 @@ por medio del menú Herramientas ▸ -> Administrador de complementosLa dirección del desplazamiento no está definida. Por favor, mueva primero el ratón a cualquier lado del objeto para indicar una dirección - - + + True Verdadero - - + + False Falso @@ -7092,19 +7144,19 @@ establecer verdadero para fusión o falso para compuesto - + Create a face Crear una cara - - + + The area of this object El área de este objeto @@ -7148,8 +7200,8 @@ establecer verdadero para fusión o falso para compuesto El objeto base que será duplicado. - + The object along which the copies will be distributed. It must contain 'Edges'. El objeto a lo largo del cual se distribuirán las copias. Debe contener 'Aristas'. @@ -7164,9 +7216,9 @@ establecer verdadero para fusión o falso para compuesto Factor de rotación de la matriz retorcida. - - + + Show the individual array elements (only for Link arrays) Muestra los elementos individuales de la matriz (sólo para matrices vinculadas) @@ -7295,8 +7347,8 @@ Al usar un estilo guardado, algunas de las propiedades de la vista se convertir sólo serán editables cambiando el estilo a través de la herramienta 'editor de estilo de anotación'. - + The base object that will be duplicated El objeto base que será duplicado @@ -8096,14 +8148,14 @@ Dejar en blanco para el valor predeterminado del sistema. Utilice 'arch' para forzar notación de arco de Estados Unidos - + Arrow size Tamaño de flecha - + Arrow type Tipo de flecha diff --git a/src/Mod/Draft/Resources/translations/Draft_eu.qm b/src/Mod/Draft/Resources/translations/Draft_eu.qm index 28e83e830587..60b795c5fac7 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_eu.qm and b/src/Mod/Draft/Resources/translations/Draft_eu.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_eu.ts b/src/Mod/Draft/Resources/translations/Draft_eu.ts index acf731c5eac5..095017cb11ad 100644 --- a/src/Mod/Draft/Resources/translations/Draft_eu.ts +++ b/src/Mod/Draft/Resources/translations/Draft_eu.ts @@ -1128,7 +1128,7 @@ value by using the [ and ] keys while drawing Font size - Letra-tipoaren tamaina + Letra-tamaina @@ -1539,6 +1539,7 @@ pattern definitions to be added to the standard patterns Letra-tamaina + @@ -1546,7 +1547,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1647,8 +1647,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.Lerro-zabalera lehenetsia - + px px @@ -1969,9 +1969,9 @@ Eskuz ere egin daiteke, "dxf_library" lan-mahaia instalatuta gehigarrien kudeatz Onartu FreeCADek automatikoki deskarga eta egunera ditzan DXF liburutegiak - - + + Import options Inportazio-aukerak @@ -2188,8 +2188,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Hemen '0' ezarri bada, spline osoa segmentu zuzen gisa tratatuko da. - + Export options Esportazio-aukerak @@ -2466,8 +2466,8 @@ These lines are thicker than normal grid lines. FreeCADek metodo hau erabiliko du DWG fitxategiak DXF formatura bihurtzeko. "Automatikoa" aukeratu bada, FreeCAD saiatuko da hurrengo bihurtzaileetako bat aurkitzen saiatuko da, hemen ageri diren ordena berean. FreeCADek ez badu horietako bat ere aurkitzen, bihurtzaile zehatz bat aukeratu beharko duzu eta zein bide-izenetan dagoen adierazi. Aukeratu "dwg2dxf" utilitatea LibreDWG erabiliko bada, "ODAFileConverter" utilitatea ODA fitxategi-bihurtzailea erabiliko bada edo "dwg2dwg" utilitatea QCADen bertsio profesionala erabiliko bada. - + Automatic Automatikoa @@ -3388,23 +3388,23 @@ FreeCADek liburutegi horiek deskarga ditzan gaitzeko, erantzun 'Bai'.Ezarri zirriborro-oharpenen tresnek erabilitako eskala - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Ez dago dokumentu aktiborik. Abortatzen. @@ -3565,9 +3565,9 @@ FreeCADek liburutegi horiek deskarga ditzan gaitzeko, erantzun 'Bai'.Aukeratu testuaren posizioa - - + + Pick first point Aukeratu lehen puntua @@ -3588,8 +3588,6 @@ FreeCADek liburutegi horiek deskarga ditzan gaitzeko, erantzun 'Bai'.Polilerroa - - @@ -3597,6 +3595,8 @@ FreeCADek liburutegi horiek deskarga ditzan gaitzeko, erantzun 'Bai'. + + Pick next point Aukeratu hurrengo puntua @@ -3801,6 +3801,58 @@ FreeCADek liburutegi horiek deskarga ditzan gaitzeko, erantzun 'Bai'.Annotation style editor Oharpen-estiloen editorea + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4006,8 +4058,8 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Hautatu muxarratuko/luzatuko diren objektuak - + Pick distance Aukeratu distantzia @@ -4047,9 +4099,9 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Spline-a itxi egin da + - Last point has been removed Azken puntua kendu da @@ -4435,8 +4487,8 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Aldatu malda - + Select an object to upgrade Hautatu eguneratuko den objektua @@ -4491,9 +4543,9 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Degradatu - - + + Task panel: Ataza-panela: @@ -4504,26 +4556,26 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Matrize polarra - - + + At least one element must be selected. Gutxienez elementu bat hautatu behar da. - - + + Selection is not suitable for array. Hautapena ez da egokia matrizerako. - - - - + + + + Object: Objektua: @@ -4543,16 +4595,16 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Angeluak -360 gradu baino gutxiago ditu. Balio hau ezarri da jarraitu ahal izateko. - - + + Fuse: Fusionatu: - - + + Create Link array: Sortu esteka-matrizea: @@ -4567,8 +4619,8 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Angelu polarra: - + Center of rotation: Biraketa-zentroa: @@ -4824,11 +4876,11 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Ezin da forma sortu: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4840,19 +4892,22 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Okerreko sarrera: zenbaki bat izan behar du. - + + + + @@ -4862,10 +4917,7 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. - - - - + Wrong input: must be a vector. Okerreko sarrera: bektore bat izan behar du. @@ -4893,8 +4945,8 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. Sarrera: bektorera hedatutako balio bakarra. - + Wrong input: must be an integer number. Okerreko sarrera: osoko zenbakia izan behar du. @@ -5305,9 +5357,9 @@ Amaierako angelua oinarriko angelua gehi kantitate hau izango da. bistaren 'TextColor' propietatea gehitu da - - + + renamed 'DisplayMode' options to 'World/Screen' 'BistaratzeModua' aukeren izena aldatu da 'Mundua/Pantaila' izan dadin @@ -5510,16 +5562,16 @@ Instalatu DXF liburutegiaren gehigarria eskuz Desplazamenduaren norabidea ez dago definituta. Eraman sagua objektuaren aldeetako batera, norabide bat adierazteko - - + + True Egia - - + + False Gezurra @@ -7100,19 +7152,19 @@ ezarri 'Egia' fusiorako edo 'Faltsua' konposaturako - + Create a face Sortu aurpegi bat - - + + The area of this object Objektuaren area @@ -7156,8 +7208,8 @@ ezarri 'Egia' fusiorako edo 'Faltsua' konposaturako Bikoiztuko den oinarri-objektua. - + The object along which the copies will be distributed. It must contain 'Edges'. Kopiak banatzeko erabiliko den objektua. 'Ertzak' eduki behar ditu. @@ -7172,9 +7224,9 @@ ezarri 'Egia' fusiorako edo 'Faltsua' konposaturako Matrize kiribilduaren biraketa-faktorea. - - + + Show the individual array elements (only for Link arrays) Erakutsi banakako matrize-elementuak (esteka-matrizeetarako soilik) @@ -7303,8 +7355,8 @@ Gordetako estilo bat erabiltzen denean, bista-propietate batzuk irakurtzeko soil 'Oharpen-estiloen editorea' erabilita estiloa aldatzen bada soilik editatuko dira. - + The base object that will be duplicated Bikoiztuko den oinarri-objektua @@ -8106,14 +8158,14 @@ Utzi hutsik sistemaren unitate lehenetsia erabiltzeko. Erabili 'arch' US arku-notazioa behartzeko. - + Arrow size Gezi-tamaina - + Arrow type Gezi mota diff --git a/src/Mod/Draft/Resources/translations/Draft_fi.qm b/src/Mod/Draft/Resources/translations/Draft_fi.qm index 3e8eb5f2a83e..61512df9b155 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_fi.qm and b/src/Mod/Draft/Resources/translations/Draft_fi.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_fi.ts b/src/Mod/Draft/Resources/translations/Draft_fi.ts index 4c50bf97db05..ae5d7b0e4a10 100644 --- a/src/Mod/Draft/Resources/translations/Draft_fi.ts +++ b/src/Mod/Draft/Resources/translations/Draft_fi.ts @@ -1547,6 +1547,7 @@ pattern definitions to be added to the standard patterns Fonttikoko + @@ -1554,7 +1555,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1655,8 +1655,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1978,9 +1978,9 @@ from the Addon Manager. Salli FreeCAD:in automaattisesti ladata ja päivittää DXF-kirjastot - - + + Import options Tuontiasetukset @@ -2198,8 +2198,8 @@ If it is set to '0' the whole spline is treated as a straight segment. If it is set to '0' the whole spline is treated as a straight segment. - + Export options Vientiasetukset @@ -2476,8 +2476,8 @@ These lines are thicker than normal grid lines. This is the method FreeCAD will use to convert DWG files to DXF. If "Automatic" is chosen, FreeCAD will try to find one of the following converters in the same order as they are shown here. If FreeCAD is unable to find any, you might need to choose a specific converter and indicate its path here under. Choose the "dwg2dxf" utility if using LibreDWG, "ODAFileConverter" if using the ODA file converter, or the "dwg2dwg" utility if using the pro version of QCAD. - + Automatic Automaattinen @@ -3398,23 +3398,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3575,9 +3575,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3598,8 +3598,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3607,6 +3605,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3811,6 +3811,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4016,8 +4068,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4057,9 +4109,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4445,8 +4497,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4501,9 +4553,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4514,26 +4566,26 @@ The final angle will be the base angle plus this amount. Polar array - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4553,16 +4605,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4577,8 +4629,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4834,11 +4886,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4850,19 +4902,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4872,10 +4927,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4903,8 +4955,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5315,9 +5367,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5520,16 +5572,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Tosi - - + + False Epätosi @@ -7109,19 +7161,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7165,8 +7217,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7181,9 +7233,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7312,8 +7364,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8116,14 +8168,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Nuolen koko - + Arrow type Nuolen tyyppi diff --git a/src/Mod/Draft/Resources/translations/Draft_fr.qm b/src/Mod/Draft/Resources/translations/Draft_fr.qm index d1a25fa09e0d..f91046ae86ba 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_fr.qm and b/src/Mod/Draft/Resources/translations/Draft_fr.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_fr.ts b/src/Mod/Draft/Resources/translations/Draft_fr.ts index 79f4a1e0a68e..ce3384702ba7 100644 --- a/src/Mod/Draft/Resources/translations/Draft_fr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_fr.ts @@ -567,7 +567,7 @@ Ceci ne fonctionne que si "Réseau lié" est désactivé. If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - Si cette option est cochée, l'objet résultant sera un "Réseau lié" au lieu d'un réseau normal. + Si cette case est cochée, l'objet résultant sera un "Réseau lié" au lieu d'un réseau normal. Un réseau lié est plus efficace lors de la création de plusieurs copies mais il ne peut pas être fusionné. @@ -664,7 +664,7 @@ Ceci ne fonctionne que si "Réseau lié" est désactivé. If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - Si cette case est cochée, l'objet résultant sera un "Réseau lié" au lieu d'un réseau normal. + Si cette option est cochée, l'objet résultant sera un "Réseau lié" au lieu d'un réseau normal. Un réseau lié est plus efficace lors de la création de plusieurs copies mais il ne peut pas être fusionné. @@ -1544,6 +1544,7 @@ contenant des définitions de motifs à ajouter aux motifs standard.Taille de la police + @@ -1551,7 +1552,6 @@ contenant des définitions de motifs à ajouter aux motifs standard. - mm mm @@ -1653,8 +1653,8 @@ widget d'échelle d'annotation du projet. Si l'échelle est 1:100, le multiplica La largeur des lignes par défaut. - + px px @@ -1977,9 +1977,9 @@ Vous pouvez également le faire manuellement en installant l'atelier "dxf_librar Permettre à FreeCAD de télécharger et mettre à jour automatiquement les librairies DXF - - + + Import options Options d'importation @@ -2096,12 +2096,12 @@ Ex : pour les fichiers en millimètres : 1, en centimètres : 10, en mètres Export 3D objects as polyface meshes (legacy exporter only) - Exporter des objets 3D en tant que des maillages polyfaces (exportateur hisorique seulement) + Exporter des objets 3D en tant que maillages polyfaciques (exportateur historique seulement) Project exported objects along current view direction (legacy exporter only) - Projeter les objets exportés suivant la direction de la vue en cours (exportateur hisorique seulement) + Projeter les objets exportés suivant la direction de la vue en cours (exportateur historique seulement) @@ -2195,8 +2195,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Si c'est défini à "0", la spline entière est traitée comme un segment droit. - + Export options Options d'exportation @@ -2474,8 +2474,8 @@ soit nécessaire d'appuyer sur la touche pour l'aimantation. C'est la méthode que FreeCAD utilisera pour convertir des fichiers DWG en DXF. Si "Automatique" est choisi, FreeCAD essaiera de trouver un des convertisseurs suivants dans le même ordre que celui qui est affiché ici. Si FreeCAD ne parvient pas à en trouver, vous devrez peut-être choisir un convertisseur spécifique et indiquer son chemin ci-dessous. Choisissez l'utilitaire "dwg2dxf" si vous utilisez LibreDWG, "ODAFileConverter" si vous utilisez le convertisseur de fichier ODA, ou l'utilitaire "dwg2dwg" si vous utilisez la version pro de QCAD. - + Automatic Automatique @@ -3206,7 +3206,7 @@ vous n'aurez pas appuyé à nouveau sur le bouton de commande. Offset - Décalage + Décaler @@ -3393,23 +3393,23 @@ Pour permettre à FreeCAD de télécharger ces bibliothèques, choisir "Oui".Définir l'échelle utilisée par les outils d'annotation de Draft - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Aucun document actif. Interruption. @@ -3570,9 +3570,9 @@ Pour permettre à FreeCAD de télécharger ces bibliothèques, choisir "Oui".Sélectionner la position du texte - - + + Pick first point Sélectionner le premier point @@ -3593,8 +3593,6 @@ Pour permettre à FreeCAD de télécharger ces bibliothèques, choisir "Oui".Polyligne - - @@ -3602,6 +3600,8 @@ Pour permettre à FreeCAD de télécharger ces bibliothèques, choisir "Oui". + + Pick next point Sélectionner le point suivant @@ -3806,6 +3806,58 @@ Pour permettre à FreeCAD de télécharger ces bibliothèques, choisir "Oui".Annotation style editor Éditeur de style d'annotation + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4011,8 +4063,8 @@ L'angle final sera l'angle de base plus cette quantité. Sélectionner l'objet à réduire ou agrandir - + Pick distance Choisir la distance @@ -4052,9 +4104,9 @@ L'angle final sera l'angle de base plus cette quantité. La spline a été fermée + - Last point has been removed Le dernier point a été supprimé @@ -4440,8 +4492,8 @@ L'angle final sera l'angle de base plus cette quantité. Changer la pente - + Select an object to upgrade Sélectionner un objet à agréger @@ -4496,9 +4548,9 @@ L'angle final sera l'angle de base plus cette quantité. Désagréger - - + + Task panel: Panneau des tâches : @@ -4509,26 +4561,26 @@ L'angle final sera l'angle de base plus cette quantité. Réseau polaire - - + + At least one element must be selected. Au moins un élément doit être sélectionné. - - + + Selection is not suitable for array. La sélection n'est pas adaptée pour un réseau. - - - - + + + + Object: Objet : @@ -4548,16 +4600,16 @@ L'angle final sera l'angle de base plus cette quantité. L'angle est inférieur à -360 degrés. Il est défini à cette valeur pour continuer. - - + + Fuse: Union : - - + + Create Link array: Créer un réseau lié : @@ -4572,8 +4624,8 @@ L'angle final sera l'angle de base plus cette quantité. Angle polaire : - + Center of rotation: Centre de rotation : @@ -4829,11 +4881,11 @@ L'angle final sera l'angle de base plus cette quantité. Impossible de générer la forme : - - + + Wrong input: base_object not in document. Mauvaise entrée : l'objet de base n'est pas dans le document. @@ -4845,19 +4897,22 @@ L'angle final sera l'angle de base plus cette quantité. Entrée incorrecte : l'objet chemin n'est pas dans le document. - - - + + + Wrong input: must be a number. Mauvaise entrée : doit être un nombre. - + + + + @@ -4867,10 +4922,7 @@ L'angle final sera l'angle de base plus cette quantité. - - - - + Wrong input: must be a vector. Mauvaise entrée : doit être un vecteur. @@ -4898,8 +4950,8 @@ L'angle final sera l'angle de base plus cette quantité. Entrée : valeur unique développée en vecteur. - + Wrong input: must be an integer number. Mauvaise entrée : doit être un nombre entier. @@ -5310,9 +5362,9 @@ L'angle final sera l'angle de base plus cette quantité. ajout de la propriété de vue "TextColor" - - + + renamed 'DisplayMode' options to 'World/Screen' les options "DisplayMode" ont été renommées en "World/Screen" @@ -5514,16 +5566,16 @@ Installer l’extension de la bibliothèque DXF manuellement depuis le menu Outi La direction du décalage n'est pas définie. Déplacer d'abord la souris de chaque côté de l'objet pour indiquer une direction - - + + True Vrai - - + + False Faux @@ -5616,7 +5668,7 @@ Installer l’extension de la bibliothèque DXF manuellement depuis le menu Outi Draw style - Style de trait + Style de représentation @@ -5646,7 +5698,7 @@ Installer l’extension de la bibliothèque DXF manuellement depuis le menu Outi Custom - Personnalisé + Personnalisée @@ -6600,7 +6652,7 @@ Le réseau peut être transformé en réseau polaire ou circulaire en changeant Scale - Mettre à l'échelle + Échelle @@ -6890,7 +6942,7 @@ convertir les bords fermés en faces remplies et en polygones paramétriques, et Offset - Décaler + Décalage @@ -7105,19 +7157,19 @@ régler à Vrai pour la fusion ou Faux pour un composé - + Create a face Créer une face - - + + The area of this object La surface de cet objet @@ -7161,8 +7213,8 @@ régler à Vrai pour la fusion ou Faux pour un composé L'objet de base qui sera dupliqué. - + The object along which the copies will be distributed. It must contain 'Edges'. L'objet le long duquel les copies seront distribuées. Il doit contenir des "Arêtes". @@ -7177,9 +7229,9 @@ régler à Vrai pour la fusion ou Faux pour un composé Facteur de rotation du réseau torsadé. - - + + Show the individual array elements (only for Link arrays) Afficher les éléments isolés du réseau (uniquement pour les réseaux de liens) @@ -7308,8 +7360,8 @@ Lorsque vous utilisez un style enregistré, certaines des propriétés de la vue elles ne seront modifiables qu'en changeant le style à l'aide de l'outil "Éditeur de style d'annotation". - + The base object that will be duplicated L'objet de base qui sera dupliqué @@ -8112,14 +8164,14 @@ Laisser vide pour la valeur par défaut du système. Utiliser "arch" pour forcer la notation architecturale US - + Arrow size Taille des flèches - + Arrow type Type des flèches @@ -8184,7 +8236,7 @@ au-delà de la ligne de la dimension Draft - Draft + Tirant d'eau diff --git a/src/Mod/Draft/Resources/translations/Draft_gl.qm b/src/Mod/Draft/Resources/translations/Draft_gl.qm index c8c717be466f..3cfffcbca999 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_gl.qm and b/src/Mod/Draft/Resources/translations/Draft_gl.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_gl.ts b/src/Mod/Draft/Resources/translations/Draft_gl.ts index 93b278f4e8e9..29d8cc7b12e2 100644 --- a/src/Mod/Draft/Resources/translations/Draft_gl.ts +++ b/src/Mod/Draft/Resources/translations/Draft_gl.ts @@ -1547,6 +1547,7 @@ pattern definitions to be added to the standard patterns Tamaño da fonte + @@ -1554,7 +1555,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1655,8 +1655,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1978,9 +1978,9 @@ from the Addon Manager. Permitir que o FreeCAD baixe e actualice automaticamente as bibliotecas DXF - - + + Import options Opcións de importación @@ -2198,8 +2198,8 @@ If it is set to '0' the whole spline is treated as a straight segment. If it is set to '0' the whole spline is treated as a straight segment. - + Export options Opcións de exportación @@ -2476,8 +2476,8 @@ These lines are thicker than normal grid lines. This is the method FreeCAD will use to convert DWG files to DXF. If "Automatic" is chosen, FreeCAD will try to find one of the following converters in the same order as they are shown here. If FreeCAD is unable to find any, you might need to choose a specific converter and indicate its path here under. Choose the "dwg2dxf" utility if using LibreDWG, "ODAFileConverter" if using the ODA file converter, or the "dwg2dwg" utility if using the pro version of QCAD. - + Automatic Automática @@ -3398,23 +3398,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3575,9 +3575,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3598,8 +3598,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3607,6 +3605,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3811,6 +3811,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4016,8 +4068,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4057,9 +4109,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4445,8 +4497,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4501,9 +4553,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4514,26 +4566,26 @@ The final angle will be the base angle plus this amount. Polar array - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4553,16 +4605,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4577,8 +4629,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4834,11 +4886,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4850,19 +4902,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4872,10 +4927,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4903,8 +4955,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5315,9 +5367,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5520,16 +5572,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Verdadeiro - - + + False Falso @@ -7109,19 +7161,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7165,8 +7217,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7181,9 +7233,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7312,8 +7364,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8116,14 +8168,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Tamaño das frechas - + Arrow type Tipo de frechas diff --git a/src/Mod/Draft/Resources/translations/Draft_hr.qm b/src/Mod/Draft/Resources/translations/Draft_hr.qm index 047ca6068d56..d9e1d29e3d30 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_hr.qm and b/src/Mod/Draft/Resources/translations/Draft_hr.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_hr.ts b/src/Mod/Draft/Resources/translations/Draft_hr.ts index 8817bf75f121..be06f446b807 100644 --- a/src/Mod/Draft/Resources/translations/Draft_hr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_hr.ts @@ -575,7 +575,8 @@ Negativne vrijednosti rezultirat će kopijom proizvedenom u negativnom smjeru. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. Ako je označeno, rezultirajući objekti u matrici bit će spojeni ako se dodiruju. -Ovo djeluje samo ako je "Povezana matrica" isključen. +Ovo djeluje samo ako je "Povezana matrica" isključen. + @@ -587,7 +588,8 @@ Ovo djeluje samo ako je "Povezana matrica" isključen. If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. Ako je označeno, rezultirajući objekt bit će "Povezana matrica" umjesto uobičajenog polja. -Povezana matrica efikasnija je pri stvaranju više kopija, ali ne može ih se spojiti zajedno. +Povezana matrica efikasnija je pri stvaranju više kopija, ali ne može ih se spojiti zajedno. + @@ -675,8 +677,7 @@ Promijenite smjer same osi u uređivaču svojstava. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. Ako je označeno, rezultirajući objekti u matrici bit će spojeni ako se dodiruju. -Ovo djeluje samo ako je "Povezana matrica" isključen. - +Ovo djeluje samo ako je "Povezana matrica" isključen. @@ -688,8 +689,7 @@ Ovo djeluje samo ako je "Povezana matrica" isključen. If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. Ako je označeno, rezultirajući objekt bit će "Povezana matrica" umjesto uobičajenog polja. -Povezana matrica efikasnija je pri stvaranju više kopija, ali ne može ih se spojiti zajedno. - +Povezana matrica efikasnija je pri stvaranju više kopija, ali ne može ih se spojiti zajedno. @@ -1569,6 +1569,7 @@ sadrže definicije uzoraka koje će se dodati standardnim uzorcima Veličina Pisma + @@ -1576,7 +1577,6 @@ sadrže definicije uzoraka koje će se dodati standardnim uzorcima - mm mm @@ -1677,8 +1677,8 @@ skalarnoj oznaci . Ako je skala 1:100, množitelj je 100. Zadana širina linije - + px px @@ -2001,9 +2001,9 @@ iz Upravitelja dodataka Omogući FreeCADu da automatski učita i nadogradi DXF biblioteke - - + + Import options Postavke uvoza @@ -2226,8 +2226,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Ako je postavljeno na '0', cijela je krivulja (spline) tretirana kao ravni segment. - + Export options Postavke izvoza @@ -2512,8 +2512,8 @@ Ove linije su deblje od normalnih linija mreže. - + Automatic Automatsko @@ -3437,23 +3437,23 @@ Da bi odobrio FreeCAD-u preuzimanje ove biblioteke, odgovori sa Da (Yes). - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Nema aktivnog dokumenta. Prekid. @@ -3614,9 +3614,9 @@ Da bi odobrio FreeCAD-u preuzimanje ove biblioteke, odgovori sa Da (Yes).Odaberite poziciju teksta - - + + Pick first point Odaberite prvu točku @@ -3637,8 +3637,6 @@ Da bi odobrio FreeCAD-u preuzimanje ove biblioteke, odgovori sa Da (Yes).Višestruka (izlomljena) linija - - @@ -3646,6 +3644,8 @@ Da bi odobrio FreeCAD-u preuzimanje ove biblioteke, odgovori sa Da (Yes). + + Pick next point Odaberite slijedeću točku @@ -3850,6 +3850,58 @@ Da bi odobrio FreeCAD-u preuzimanje ove biblioteke, odgovori sa Da (Yes).Annotation style editor Uređivač stilova napomena + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4055,8 +4107,8 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Odaberite objekte za skraćivanje ili produživanje - + Pick distance Odaberite udaljenost @@ -4096,9 +4148,9 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Kriva je zatvorena + - Last point has been removed Zadnja točka je uklonjena @@ -4488,8 +4540,8 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Promjeni nagib - + Select an object to upgrade Odaberite objekt za nadogradnju @@ -4544,9 +4596,9 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Vraćanje na niži stupanj - - + + Task panel: Ploča zadataka: @@ -4557,26 +4609,26 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Polarna matrica - - + + At least one element must be selected. Barem jedna stavka mora biti označena. - - + + Selection is not suitable for array. Odabir nije prikladan za matricu. - - - - + + + + Object: Objekt: @@ -4596,16 +4648,16 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Kut je ispod -360 stupnjeva. Postavljen je na ovu vrijednost, za nastavak. - - + + Fuse: Spoji: - - + + Create Link array: Stvori niz poveznica: @@ -4620,8 +4672,8 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Polarni kut: - + Center of rotation: Centar rotacije: @@ -4878,11 +4930,11 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Nije moguće generirati oblik: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4894,19 +4946,22 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Pogrešan unos: mora bit broj. - + + + + @@ -4916,10 +4971,7 @@ Konačni kut bit će osnovni kut plus ovaj iznos. - - - - + Wrong input: must be a vector. Pogrešan unos: mora biti vektor. @@ -4947,8 +4999,8 @@ Konačni kut bit će osnovni kut plus ovaj iznos. Ulaz: jedna vrijednost proširena na vektor. - + Wrong input: must be an integer number. Pogrešan unos: mora biti cijeli broj. @@ -5362,9 +5414,9 @@ Konačni kut bit će osnovni kut plus ovaj iznos. dodano svojstvo pogleda 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' preimenovane opcije 'DisplayMode' u 'World/Screen' @@ -5567,16 +5619,16 @@ iz izbornika Alati-> Upravitelj dodataka Smjer pomaka nije definiran. Prvo pomaknite miš s obje strane objekta kako biste naznačili smjer - - + + True Točno - - + + False Netočno @@ -7165,19 +7217,19 @@ označi Točno za spajanje ili Netočno za složeni spoj - + Create a face Napravite lice - - + + The area of this object Područje ovog objekta @@ -7221,8 +7273,8 @@ označi Točno za spajanje ili Netočno za složeni spoj Osnovni objekt koji će biti dupliciran. - + The object along which the copies will be distributed. It must contain 'Edges'. Objekt po kojem će se primjerci distribuirati. Mora sadržavati 'Rubove'. @@ -7237,9 +7289,9 @@ označi Točno za spajanje ili Netočno za složeni spoj Faktor rotacije prepletene matrice. - - + + Show the individual array elements (only for Link arrays) Prikaži pojedinačne elemente niza (samo za vezane nizove) @@ -7371,8 +7423,8 @@ Kada se koristi spremljeni stil neka od svojstava pregleda će se moći samo či ona će se moći mijenjati samo promjenom stila pomoću 'Urednika za Anotacijske Stilove'. - + The base object that will be duplicated Osnovni objekt koji će biti dupliciran @@ -8180,14 +8232,14 @@ Ostavite prazno za zadane postavke sustava. Upotrijebite 'arch' za prisilno označavanje US luka - + Arrow size Veličina strelice - + Arrow type Vrsta strelice diff --git a/src/Mod/Draft/Resources/translations/Draft_hu.qm b/src/Mod/Draft/Resources/translations/Draft_hu.qm index 72b8d569850e..19abbb6a5830 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_hu.qm and b/src/Mod/Draft/Resources/translations/Draft_hu.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_hu.ts b/src/Mod/Draft/Resources/translations/Draft_hu.ts index f4fb0b2b4aa0..cedc2f35b26c 100644 --- a/src/Mod/Draft/Resources/translations/Draft_hu.ts +++ b/src/Mod/Draft/Resources/translations/Draft_hu.ts @@ -1174,7 +1174,7 @@ megjegyzések méretarány modulban beállított skálának. Ha a méretarány 1 Arrow size - Nyíl méret + Nyíl mérete @@ -1546,6 +1546,7 @@ a szabványos mintákhoz hozzáadandó mintadefiníciókkal Betűméret + @@ -1553,7 +1554,6 @@ a szabványos mintákhoz hozzáadandó mintadefiníciókkal - mm mm @@ -1654,8 +1654,8 @@ megjegyzések méretarány modulban beállított skálának. Ha a méretarány 1 Alapértelmezett vonalszélesség - + px px @@ -1697,7 +1697,7 @@ megjegyzések méretarány modulban beállított skálának. Ha a méretarány 1 Arrow size - Nyíl mérete + Nyíl méret @@ -1977,9 +1977,9 @@ a Kiegészítők kezelőjéből. Engedélyezze a FreeCAD-hoz az automatikus DXF-könyvtárak letöltését és frissítését - - + + Import options Importálási beállítások @@ -2197,8 +2197,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Ha '0'-ra van állítva, a teljes csíkozást egyenes szakaszként kezeli. - + Export options Exportálási beállítások @@ -2474,8 +2474,8 @@ Ezek a vonalak vastagabbak, mint a normál rácsvonalak. Ez az a módszer, amelyet a FreeCAD a DWG fájlok DXF-re konvertálására fog használni. Ha az "Automatikus" opció van kiválasztva, a FreeCAD megpróbálja megtalálni az alábbi konverterek egyikét ugyanabban a sorrendben, amelyben itt láthatók. Ha a FreeCAD nem találja egyiket sem, előfordulhat, hogy ki kell választania egy adott konvertert, és itt meg kell adnia annak elérési útját. Válassza ki a "dwg2dxf" segédprogramot, ha LibreDWG-t, "ODAFileConverter"-t használ, ha ODA fájlkonvertert használ, vagy a "dwg2dwg" segédprogramot, ha a QCAD Pro verzióját használja. - + Automatic Automatikus @@ -3396,23 +3396,23 @@ A FreeCAD letöltésének bekapcsolásához válassza az "Igen"-t. A jegyzeteszközök által használt méretezés beállítása - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Nincs aktív dokumentum. Megszakítás. @@ -3573,9 +3573,9 @@ A FreeCAD letöltésének bekapcsolásához válassza az "Igen"-t. Szöveg helyzet kiválasztása - - + + Pick first point Első pont kiválasztása @@ -3596,8 +3596,6 @@ A FreeCAD letöltésének bekapcsolásához válassza az "Igen"-t. Vonallánc - - @@ -3605,6 +3603,8 @@ A FreeCAD letöltésének bekapcsolásához válassza az "Igen"-t. + + Pick next point Következő pont kiválasztása @@ -3809,6 +3809,58 @@ A FreeCAD letöltésének bekapcsolásához válassza az "Igen"-t. Annotation style editor Jegyzetstílus szerkesztő + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4014,8 +4066,8 @@ A végső szög lesz az alapszög plusz ennek összege. Válassza ki a tárgyakat a vágáshoz/nyújtáshoz - + Pick distance Távolság kiválasztása @@ -4055,9 +4107,9 @@ A végső szög lesz az alapszög plusz ennek összege. Görbe lezárva + - Last point has been removed Utolsó pont eltávolítva @@ -4443,8 +4495,8 @@ A végső szög lesz az alapszög plusz ennek összege. Lejtés módosítása - + Select an object to upgrade Jelöljön ki egy tárgyat a frissítéshez @@ -4499,9 +4551,9 @@ A végső szög lesz az alapszög plusz ennek összege. Visszaminősít - - + + Task panel: Feladat panel: @@ -4512,26 +4564,26 @@ A végső szög lesz az alapszög plusz ennek összege. Poláris elrendezés - - + + At least one element must be selected. Legalább egy tételt ki kell választani. - - + + Selection is not suitable for array. A kijelölés nem alkalmas elrendezéshez. - - - - + + + + Object: Tárgy: @@ -4551,16 +4603,16 @@ A végső szög lesz az alapszög plusz ennek összege. A szög nem éri el a 360 fokot. Ez az érték a folytatáshoz van beállítva. - - + + Fuse: Egybeolvaszt: - - + + Create Link array: Elrendezés csatolás létrehozása: @@ -4575,8 +4627,8 @@ A végső szög lesz az alapszög plusz ennek összege. Poláris szög: - + Center of rotation: Forgatás középpontja: @@ -4832,11 +4884,11 @@ A végső szög lesz az alapszög plusz ennek összege. Alakzat nem hozható létre: - - + + Wrong input: base_object not in document. Helytelen bemenet: alap_tárgy nincs a dokumentumban. @@ -4848,19 +4900,22 @@ A végső szög lesz az alapszög plusz ennek összege. Helytelen bemenet: útvonal_tárgy nincs a dokumentumban. - - - + + + Wrong input: must be a number. Rossz bemenet: számnak kell lennie. - + + + + @@ -4870,10 +4925,7 @@ A végső szög lesz az alapszög plusz ennek összege. - - - - + Wrong input: must be a vector. Rossz bemenet: vektornak kell lennie. @@ -4901,8 +4953,8 @@ A végső szög lesz az alapszög plusz ennek összege. Bemenet: vektorosra bővített egyetlen érték. - + Wrong input: must be an integer number. Helytelen bemenet: egész számnak kell lennie. @@ -5313,9 +5365,9 @@ A végső szög lesz az alapszög plusz ennek összege. nézet tulajdonság hozzáadva 'SzövegSzín' - - + + renamed 'DisplayMode' options to 'World/Screen' átnevezte a "Megjelenítési mód" opciót "Környezet / Képernyő" opcióra @@ -5517,16 +5569,16 @@ kézzel az Eszközök -> Kiegészítő kezelő menüből Az eltolás iránya nem meghatározott. Először mozgassa az egeret a tárgy egyik oldalára, hogy meghatározza az irányt - - + + True Igaz - - + + False Hamis @@ -5796,7 +5848,7 @@ Az összekapcsolt elrendezés több példány feldolgozásakor hatékonyabb, de Label - Felirat + Címke @@ -6707,7 +6759,7 @@ Ez zárt alakzatokhoz és szilárd testekhez készült, és nem befolyásolja a Dimension - Méret + Dimenzió @@ -7104,19 +7156,19 @@ Igazra állítva egyesíti vagy hamisra az összetételhez - + Create a face Felület létrehozása - - + + The area of this object Ennek a tárgynak a területe @@ -7160,8 +7212,8 @@ Igazra állítva egyesíti vagy hamisra az összetételhez A másolandó alap tárgy. - + The object along which the copies will be distributed. It must contain 'Edges'. A tárgy, ami körül a másolatokat elosztják. Tartalmaznia kell 'Éleket'. @@ -7176,9 +7228,9 @@ Igazra állítva egyesíti vagy hamisra az összetételhez A csavart tömb forgatási tényezője. - - + + Show the individual array elements (only for Link arrays) Az egyes tömbelemek megmutatása (csak csatolási tömbökhöz) @@ -7307,8 +7359,8 @@ Mentett stílus használatakor a nézettulajdonságok némelyike írásvédett. Ezeket csak a stílus módosításával lehet szerkeszteni a 'Jegyzetstílus szerkesztő' eszközzel. - + The base object that will be duplicated Az alap tárgy, melyet kettőzni kell @@ -8109,14 +8161,14 @@ Hagyja üresen a rendszer alapértelmezetthez. Használja az 'arch' kifejezést amerikai US arch jelölésének kikényszerítésére - + Arrow size Nyíl méret - + Arrow type Nyíl típus diff --git a/src/Mod/Draft/Resources/translations/Draft_id.qm b/src/Mod/Draft/Resources/translations/Draft_id.qm index 652dc491b6de..edd23487e2a8 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_id.qm and b/src/Mod/Draft/Resources/translations/Draft_id.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_id.ts b/src/Mod/Draft/Resources/translations/Draft_id.ts index 6d5de53316ac..651a12f622b6 100644 --- a/src/Mod/Draft/Resources/translations/Draft_id.ts +++ b/src/Mod/Draft/Resources/translations/Draft_id.ts @@ -943,14 +943,14 @@ value by using the [ and ] keys while drawing Line width - Tebal garis + Lebar garis px - piksel + px @@ -1126,7 +1126,7 @@ value by using the [ and ] keys while drawing Font size - Ukuran fonta + Ukuran huruf @@ -1537,6 +1537,7 @@ pattern definitions to be added to the standard patterns Ukuran huruf + @@ -1544,7 +1545,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1645,8 +1645,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1968,9 +1968,9 @@ from the Addon Manager. Biarkan FreeCAD mendownload dan memperbarui perpustakaan DXF secara otomatis - - + + Import options Pilihan impor @@ -2188,8 +2188,8 @@ If it is set to '0' the whole spline is treated as a straight segment. If it is set to '0' the whole spline is treated as a straight segment. - + Export options Pilihan ekspor @@ -2466,8 +2466,8 @@ These lines are thicker than normal grid lines. This is the method FreeCAD will use to convert DWG files to DXF. If "Automatic" is chosen, FreeCAD will try to find one of the following converters in the same order as they are shown here. If FreeCAD is unable to find any, you might need to choose a specific converter and indicate its path here under. Choose the "dwg2dxf" utility if using LibreDWG, "ODAFileConverter" if using the ODA file converter, or the "dwg2dwg" utility if using the pro version of QCAD. - + Automatic Otomatis @@ -3388,23 +3388,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3565,9 +3565,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3588,8 +3588,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3597,6 +3595,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3801,6 +3801,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4006,8 +4058,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4047,9 +4099,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4435,8 +4487,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4491,9 +4543,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4504,26 +4556,26 @@ The final angle will be the base angle plus this amount. Polar array - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4543,16 +4595,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4567,8 +4619,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4824,11 +4876,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4840,19 +4892,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4862,10 +4917,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4893,8 +4945,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5305,9 +5357,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5510,16 +5562,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Benar - - + + False Salah @@ -7099,19 +7151,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7155,8 +7207,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7171,9 +7223,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7302,8 +7354,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8106,14 +8158,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Panah ukuran - + Arrow type Jenis Panah diff --git a/src/Mod/Draft/Resources/translations/Draft_it.qm b/src/Mod/Draft/Resources/translations/Draft_it.qm index ca1fac068ae6..243dd3d70e42 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_it.qm and b/src/Mod/Draft/Resources/translations/Draft_it.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_it.ts b/src/Mod/Draft/Resources/translations/Draft_it.ts index 9c68fd21be34..1a7304e036dd 100644 --- a/src/Mod/Draft/Resources/translations/Draft_it.ts +++ b/src/Mod/Draft/Resources/translations/Draft_it.ts @@ -1548,6 +1548,7 @@ da aggiungere ai motivi standard Dimensione del carattere + @@ -1555,7 +1556,6 @@ da aggiungere ai motivi standard - mm mm @@ -1656,8 +1656,8 @@ nel widget scala di annotazione. Se la scala è 1:100 il moltiplicatore è 100.< Larghezza predefinita della linea - + px px @@ -1979,9 +1979,9 @@ da Addon Manager. Consenti a FreeCAD di scaricare e aggiornare automaticamente le librerie DXF - - + + Import options Opzioni di importazione @@ -2199,8 +2199,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Se impostato a '0' l'intera spline viene trattata come un segmento retto. - + Export options Opzioni di esportazione @@ -2474,8 +2474,8 @@ These lines are thicker than normal grid lines. Questo è il metodo che FreeCAD utilizzerà per convertire i file DWG in DXF. Se si sceglie "Automatico", FreeCAD cercherà di trovare uno dei seguenti convertitori nello stesso ordine in cui sono mostrati qui. Se FreeCAD non è in grado di trovarne, potrebbe essere necessario scegliere un convertitore specifico e indicare il suo percorso qui sotto. Scegliere l'utilità "dwg2dxf" se si utilizza LibreDWG, "ODAFileConverter" se si utilizza il convertitore di file ODA, o l'utilità "dwg2dwg" se si utilizza la versione pro di QCAD. - + Automatic Automatica @@ -3390,23 +3390,23 @@ Per abilitare FreeCAD a scaricare queste librerie, rispondere Sì.Imposta la scala usata dagli strumenti di annotazione bozza - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Nessun documento attivo, operazione fallita. @@ -3567,9 +3567,9 @@ Per abilitare FreeCAD a scaricare queste librerie, rispondere Sì.Scegliere la posizione del testo - - + + Pick first point Selezionare il primo punto @@ -3590,8 +3590,6 @@ Per abilitare FreeCAD a scaricare queste librerie, rispondere Sì.Polilinea - - @@ -3599,6 +3597,8 @@ Per abilitare FreeCAD a scaricare queste librerie, rispondere Sì. + + Pick next point Selezionare il punto successivo @@ -3803,6 +3803,58 @@ Per abilitare FreeCAD a scaricare queste librerie, rispondere Sì.Annotation style editor Editor degli stili di annotazione + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4008,8 +4060,8 @@ L'angolo finale sarà l'angolo base più questa quantità. Seleziona gli oggetti da tagliare o estendere - + Pick distance Scegliere la distanza @@ -4049,9 +4101,9 @@ L'angolo finale sarà l'angolo base più questa quantità. La Spline è stata chiusa + - Last point has been removed L'ultimo punto è stato rimosso @@ -4437,8 +4489,8 @@ L'angolo finale sarà l'angolo base più questa quantità. Cambia pendenza - + Select an object to upgrade Selezionare un oggetto da promuovere @@ -4493,9 +4545,9 @@ L'angolo finale sarà l'angolo base più questa quantità. Declassa - - + + Task panel: Pannello attività: @@ -4506,26 +4558,26 @@ L'angolo finale sarà l'angolo base più questa quantità. Serie polare - - + + At least one element must be selected. Almeno un elemento deve essere selezionato. - - + + Selection is not suitable for array. La selezione non è adatta per la Serie. - - - - + + + + Object: Oggetto: @@ -4545,16 +4597,16 @@ L'angolo finale sarà l'angolo base più questa quantità. L'angolo è inferiore a -360 gradi. È impostato su questo valore per procedere. - - + + Fuse: Combina: - - + + Create Link array: Crea una Serie di Link: @@ -4569,8 +4621,8 @@ L'angolo finale sarà l'angolo base più questa quantità. Angolo polare: - + Center of rotation: Centro di rotazione: @@ -4826,11 +4878,11 @@ L'angolo finale sarà l'angolo base più questa quantità. Impossibile generare la forma: - - + + Wrong input: base_object not in document. Input errato: oggetto base non nel documento. @@ -4842,19 +4894,22 @@ L'angolo finale sarà l'angolo base più questa quantità. Input errato: percorso oggetto non nel documento. - - - + + + Wrong input: must be a number. Input errato: deve essere un numero. - + + + + @@ -4864,10 +4919,7 @@ L'angolo finale sarà l'angolo base più questa quantità. - - - - + Wrong input: must be a vector. Ingresso errato: deve essere un vettore. @@ -4895,8 +4947,8 @@ L'angolo finale sarà l'angolo base più questa quantità. Input: singolo valore espanso al vettore. - + Wrong input: must be an integer number. Input errato: deve essere un numero intero. @@ -5307,9 +5359,9 @@ L'angolo finale sarà l'angolo base più questa quantità. aggiunta la proprietà di visualizzazione 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' rinominate le opzioni 'DisplayMode' in 'World/Screen' @@ -5512,16 +5564,16 @@ dal menu Strumenti -> Addon Manager La direzione di Offset non è definita. Si prega di spostare il mouse su entrambi i lati dell'oggetto prima per indicare una direzione - - + + True Vero - - + + False Falso @@ -6701,7 +6753,7 @@ Questa funzione è utile con forme chiuse e solidi e non influisce su polilinee Dimension - Quota + Dimensione @@ -7098,19 +7150,19 @@ imposta 'Vero' se il risultato è una fusione o 'Falso' se è un composto - + Create a face Crea una faccia - - + + The area of this object L'area di questo oggetto @@ -7154,8 +7206,8 @@ imposta 'Vero' se il risultato è una fusione o 'Falso' se è un compostoL'oggetto di base che sarà duplicato. - + The object along which the copies will be distributed. It must contain 'Edges'. L'oggetto lungo il quale le copie saranno distribuite. Deve contenere 'Bordi'. @@ -7170,9 +7222,9 @@ imposta 'Vero' se il risultato è una fusione o 'Falso' se è un compostoRotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Mostra i singoli elementi della serie (solo per le serie di link) @@ -7299,8 +7351,8 @@ Quando si utilizza uno stile salvato, alcune delle proprietà della vista divent saranno modificabili solo cambiando lo stile attraverso lo strumento 'Modifica stile di annotazione'. - + The base object that will be duplicated L'oggetto base che verrà duplicato @@ -8098,14 +8150,14 @@ Lasciare vuoto per il sistema predefinito. Usare 'arch' per forzare la notazione dell'arco statunitense - + Arrow size Dimensione freccia - + Arrow type Tipo di freccia @@ -8168,7 +8220,7 @@ beyond the dimension line Draft - Draft + Pescaggio diff --git a/src/Mod/Draft/Resources/translations/Draft_ja.qm b/src/Mod/Draft/Resources/translations/Draft_ja.qm index eb82f05ebfe9..200dcea98cc1 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_ja.qm and b/src/Mod/Draft/Resources/translations/Draft_ja.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_ja.ts b/src/Mod/Draft/Resources/translations/Draft_ja.ts index 84c6b99b2738..4b1390a2f09a 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ja.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ja.ts @@ -1542,6 +1542,7 @@ pattern definitions to be added to the standard patterns フォントサイズ + @@ -1549,7 +1550,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1650,8 +1650,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1973,9 +1973,9 @@ from the Addon Manager. DXF ライブラリの自動的なダウンロードと更新を FreeCAD に許可 - - + + Import options インポート・オプション @@ -2189,8 +2189,8 @@ If it is set to '0' the whole spline is treated as a straight segment. '0' に設定すると、スプライン全体が直線セグメントとして扱われます。 - + Export options エクスポート・オプション @@ -2467,8 +2467,8 @@ These lines are thicker than normal grid lines. FreeCAD が DWG ファイルを DXF へ変換するために使う方法です。「自動」が選択された場合、FreeCAD は以下のコンバーターを表示順に従って検索します。FreeCAD がコンバーターを見つけられなかった場合、特定のコンバーターを選んで、以下で指定する必要があります。LibreDWG を使用する場合は「dwg2dxf」、ODA ファイルコンバーターを使用する場合は「ODAFileConverter」、QCAD pro 版を使用する場合は「dwg2dwg」を選択してください。 - + Automatic 自動 @@ -3389,23 +3389,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3566,9 +3566,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3589,8 +3589,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3598,6 +3596,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3802,6 +3802,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4007,8 +4059,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4048,9 +4100,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4436,8 +4488,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4492,9 +4544,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4505,26 +4557,26 @@ The final angle will be the base angle plus this amount. 軸周整列 - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4544,16 +4596,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4568,8 +4620,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4825,11 +4877,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4841,19 +4893,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4863,10 +4918,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4894,8 +4946,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5306,9 +5358,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5511,16 +5563,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True True - - + + False False @@ -7100,19 +7152,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7156,8 +7208,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7172,9 +7224,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7303,8 +7355,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8107,14 +8159,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size 矢印のサイズ - + Arrow type 矢印のタイプ diff --git a/src/Mod/Draft/Resources/translations/Draft_ka.qm b/src/Mod/Draft/Resources/translations/Draft_ka.qm index f154ca018d32..e25cdabf2dc6 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_ka.qm and b/src/Mod/Draft/Resources/translations/Draft_ka.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_ka.ts b/src/Mod/Draft/Resources/translations/Draft_ka.ts index 909db819cd5a..05d1bb21bc0f 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ka.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ka.ts @@ -555,8 +555,8 @@ Negative values will result in copies produced in the negative direction. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. - თუ ჩართულია, მიღებული ობიექტები მასივში შეერთდება, თუ ისინი ერთმანეთს ეხებიან. -ეს მხოლოდ მაშინ მუშაობს, თუ "მასივების მიბმა" გამორთულია. + თუ ჩართულია, მოხდება მასივში მიღებული ობიექტების შერწყმა, თუ ისინი ერთმანეთს ეხებიან. +მუშაობს მხოლოდ მაშინ, თუ "ბმულის მასივი" გამორთულია. @@ -573,7 +573,7 @@ A Link array is more efficient when creating multiple copies, but it cannot be f Link array - მასივების მიბმა + ბმულების მასივი @@ -652,13 +652,13 @@ Change the direction of the axis itself in the property editor. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. - თუ ჩართულია, მოხდება მასივში მიღებული ობიექტების შერწყმა, თუ ისინი ერთმანეთს ეხებიან. -მუშაობს მხოლოდ მაშინ, თუ "ბმულის მასივი" გამორთულია. + თუ ჩართულია, მიღებული ობიექტები მასივში შეერთდება, თუ ისინი ერთმანეთს ეხებიან. +ეს მხოლოდ მაშინ მუშაობს, თუ "მასივების მიბმა" გამორთულია. Fuse - შეერთება + შერწყმა @@ -670,7 +670,7 @@ A Link array is more efficient when creating multiple copies, but it cannot be f Link array - ბმულების მასივი + მასივების მიბმა @@ -962,7 +962,7 @@ value by using the [ and ] keys while drawing px - პქს + px @@ -1058,7 +1058,7 @@ value by using the [ and ] keys while drawing Text spacing - ტექსტში დაშორებები + სიმბოლოებს შორის დაშორება @@ -1549,6 +1549,7 @@ pattern definitions to be added to the standard patterns ფონტის ზომა + @@ -1556,7 +1557,6 @@ pattern definitions to be added to the standard patterns - mm მმ @@ -1657,8 +1657,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.ნაგულისხმევი ხაზის სიგანე - + px px @@ -1803,7 +1803,7 @@ used for linear dimensions. Text spacing - სიმბოლოებს შორის დაშორება + ტექსტში დაშორებები @@ -1978,9 +1978,9 @@ from the Addon Manager. FreeCAD-სთვის DXF ბიბლიოთეკების ავტომატური გადმოწერის და განახლების უფლების მიცემა - - + + Import options შემოტანის მორგება @@ -2197,8 +2197,8 @@ If it is set to '0' the whole spline is treated as a straight segment. თუ დაყენებულია '0', მთელი სპლაინი განიხილება, როგორც სწორი სეგმენტი. - + Export options გატანის მორგება @@ -2474,8 +2474,8 @@ These lines are thicker than normal grid lines. მეთოდი, რომელსაც FreeCAD-ი DWG ფაილების DXF-ში გადასაყვანად გამოიყენებს. თუ არჩეულია "ავტომატური", FreeCAD-ი შეეცდება იპოვოს ერთ-ერთი გადამყვანებიდან, იმ თანამიმდევრობით, როგორც ისინი აქაა ჩამოთვლილი. თუ FreeCAD-ი ვერ იპოვის ვერცერთს, მაშინ საჭიროა, რომ თქვენ დააყენოთ გადამყვანი და მიუთითოთ ბილიკი მის გამშვებ ფაილებამდე. აირჩიეთ "dwg2dxf", თუ იყენებთ LibreDWG-ს, "ODAFileConverter", თუ ODA-ის ფაილებს გარდამქმნელს იყენებთ და "dwg2dwg", თუ QCAD-ის პროფესიონალურ ვერსიას. - + Automatic ავტომატური @@ -3072,7 +3072,7 @@ Not available if Draft preference option 'Use Part Primitives' is enabled Undo - დაბრუნება + დაბრუნება (&U) @@ -3392,23 +3392,23 @@ https://github.com/yorikvanhavre/Draft-dxf-importer დააყენეთ მასშტაბი, რომელიც გამოიყენება მონახაზის ანოტაციის ხელსაწყოების მიერ - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. აქტიური დოკუმენტის გარეშე. გაუქმება. @@ -3569,9 +3569,9 @@ https://github.com/yorikvanhavre/Draft-dxf-importer აირჩიეთ ტექსტის პოზიცია - - + + Pick first point აირჩიეთ პირველი წერტილი @@ -3592,8 +3592,6 @@ https://github.com/yorikvanhavre/Draft-dxf-importer პოლიხაზი - - @@ -3601,6 +3599,8 @@ https://github.com/yorikvanhavre/Draft-dxf-importer + + Pick next point აირჩიეთ შემდეგი წერტილი @@ -3805,6 +3805,58 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Annotation style editor ანოტაციის სტილის რედაქტორი + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4010,8 +4062,8 @@ The final angle will be the base angle plus this amount. აირჩიეთ გასაფართოებელი ან შესავიწროებელი ობიექტები - + Pick distance აირჩიეთ დაშორება @@ -4051,9 +4103,9 @@ The final angle will be the base angle plus this amount. სპლაინი დაიხურა + - Last point has been removed ბოლო წერტილი მოცილებულია @@ -4439,8 +4491,8 @@ The final angle will be the base angle plus this amount. დახრილობის შეცვლა - + Select an object to upgrade აირჩიეთ ობიექტი განახლებისთვის @@ -4495,9 +4547,9 @@ The final angle will be the base angle plus this amount. დაქვეითება - - + + Task panel: ამოცანების ზოლი: @@ -4508,26 +4560,26 @@ The final angle will be the base angle plus this amount. პოლარული მასივი - - + + At least one element must be selected. არჩეული უნდა იყოს მინიმუმ ერთი ელემენტი. - - + + Selection is not suitable for array. მონიშნული მასივის მოთხოვნებს არ შეესაბამება. - - - - + + + + Object: ობიექტი: @@ -4547,16 +4599,16 @@ The final angle will be the base angle plus this amount. კუთხე არის -360 გრადუსზე დაბლა. გასაგრძელებლად დაყენებულია ამ მნიშვნელობაზე. - - + + Fuse: შერწყმა: - - + + Create Link array: ბმულების მასივის შექმნა: @@ -4571,8 +4623,8 @@ The final angle will be the base angle plus this amount. პოლარული ბიჯი: - + Center of rotation: შებრუნების ცენტრი: @@ -4828,11 +4880,11 @@ The final angle will be the base angle plus this amount. მოხაზულობის გენერაცია შეუძლებელია: - - + + Wrong input: base_object not in document. არასწორი შეყვანა: საბაზისო ობიექტი დოკუმენტში არაა. @@ -4844,19 +4896,22 @@ The final angle will be the base angle plus this amount. არასწორი შეყვანა: ობიექტის ბილიკი დოკუმენტში არაა. - - - + + + Wrong input: must be a number. არასწორი შეყვანა: უნდა იყოს რიცხვი. - + + + + @@ -4866,10 +4921,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. არასწორი შეყვანა: უნდა იყოს ვექტორი. @@ -4897,8 +4949,8 @@ The final angle will be the base angle plus this amount. შეტანა: ერთი მნიშვნელობა, ვექტორამდე გაზრდილი. - + Wrong input: must be an integer number. არასწორი შეყვანა: უნდა იყოს მთელი რიცხვი. @@ -5309,9 +5361,9 @@ The final angle will be the base angle plus this amount. თვისება 'TextColor' დამატებულია - - + + renamed 'DisplayMode' options to 'World/Screen' სახელი გადაერქვა პარამეტრს 'DisplayMode'-დან 'World/Screen'-ზე @@ -5514,16 +5566,16 @@ from menu Tools -> Addon Manager წანაცვლების მიმართულება აღწერილი არაა. მის მისათითებლად თაგუნა ობიექტის რომელიმე მხარეს, საჭირო მიმართულებით გაამოძრავეთ - - + + True ჭეშმარიტი - - + + False მცდარი @@ -6262,7 +6314,7 @@ The array can be turned into an orthogonal or a polar array by changing its type Rotate - შებრუნება + შემობრუნება @@ -6395,7 +6447,7 @@ If other objects are selected they are ignored. Fillet - მომრგვალებული ნაზოლი + მომრგვალება @@ -6598,7 +6650,7 @@ The array can be turned into a polar or a circular array by changing its type. Scale - მასშტაბი + მასშტაბირება @@ -6703,7 +6755,7 @@ This is intended to be used with closed shapes and solids, and doesn't affect op Dimension - განზომილება + ზომა @@ -6755,7 +6807,7 @@ then draw a line to specify the distance and direction of stretching. Rectangle - მართკუთხედი + ოთხკუთხედი @@ -7100,19 +7152,19 @@ set True for fusion or False for compound - + Create a face ზედაპირის შექმნა - - + + The area of this object ობიექტის ფართობი @@ -7156,8 +7208,8 @@ set True for fusion or False for compound საბაზისო ობიექტი, რომელიც გაორმაგდება. - + The object along which the copies will be distributed. It must contain 'Edges'. ობიექტი, რომლს გასწვრივაც გადანაწილდება ასლები. ის აუცილებლად უნდა შეიცავდეს „წიბოებს“. @@ -7172,9 +7224,9 @@ set True for fusion or False for compound გრეხილი მასივის ბრუნვის ფაქტორი. - - + + Show the individual array elements (only for Link arrays) მასივის ელემენტების ჩვენება (მხოლოდ ბმულების მასივებისთვის) @@ -7301,8 +7353,8 @@ they will only be editable by changing the style through the 'Annotation style e მათი რედაქტირება შესაძლებელია მხოლოდ სტილის შეცვლით "ანოტაციის სტილის რედაქტორის" ხელსაწყოს მეშვეობით. - + The base object that will be duplicated საბაზისო ობიექტი, რომელიც გაორმაგდება @@ -8100,14 +8152,14 @@ Use 'arch' to force US arch notation გამოიყენეთ „არქიტექტურა“ აშშ-ის არქიტექტურული ნოტაციისთვის - + Arrow size ისრის ზომა - + Arrow type ისრის ტიპი @@ -8172,7 +8224,7 @@ beyond the dimension line Draft - მონახაზი + წყალშიგი diff --git a/src/Mod/Draft/Resources/translations/Draft_ko.qm b/src/Mod/Draft/Resources/translations/Draft_ko.qm index 988bf57e2d3d..812a1f067fe1 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_ko.qm and b/src/Mod/Draft/Resources/translations/Draft_ko.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_ko.ts b/src/Mod/Draft/Resources/translations/Draft_ko.ts index ad4d593cc4c5..f86d24c0b440 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ko.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ko.ts @@ -1544,6 +1544,7 @@ pattern definitions to be added to the standard patterns 폰트 크기 + @@ -1551,7 +1552,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1652,8 +1652,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1975,9 +1975,9 @@ from the Addon Manager. Allow FreeCAD to automatically download and update the DXF libraries - - + + Import options 가져오기 옵션 @@ -2195,8 +2195,8 @@ If it is set to '0' the whole spline is treated as a straight segment. '0'으로 설정하면 전체 스플라인이 직선 세그먼트로 처리됩니다. - + Export options 내보내기 옵션 @@ -2473,8 +2473,8 @@ These lines are thicker than normal grid lines. 이것은 FreeCAD가 DWG 파일을 DXF로 변환하는 데 사용하는 방법입니다. "자동"을 선택하면 FreeCAD는 여기에 표시된 것과 동일한 순서로 다음 변환기 중 하나를 찾으려고 시도합니다. FreeCAD가 변환기를 찾을 수 없는 경우, 특정 변환기를 선택하고 아래에 해당 경로를 표시해야 할 수 있습니다. LibreDWG를 사용하는 경우 "dwg2dxf" 유틸리티를, ODA 파일 변환기를 사용하는 경우 "ODAFileConverter"를, QCAD의 프로 버전을 사용하는 경우 "dwg2dwg" 유틸리티를 선택합니다. - + Automatic Automatic @@ -3395,23 +3395,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3572,9 +3572,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3595,8 +3595,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3604,6 +3602,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3808,6 +3808,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4013,8 +4065,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4054,9 +4106,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4442,8 +4494,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4498,9 +4550,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4511,26 +4563,26 @@ The final angle will be the base angle plus this amount. 극 배열 - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4550,16 +4602,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4574,8 +4626,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4831,11 +4883,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4847,19 +4899,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4869,10 +4924,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4900,8 +4952,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5312,9 +5364,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5517,16 +5569,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True - - + + False 거짓 @@ -7106,19 +7158,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7162,8 +7214,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7178,9 +7230,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7309,8 +7361,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8113,14 +8165,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size 화살표 크기 - + Arrow type 화살표 유형 diff --git a/src/Mod/Draft/Resources/translations/Draft_nl.qm b/src/Mod/Draft/Resources/translations/Draft_nl.qm index 2f9b26bead8c..a99201b84a5e 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_nl.qm and b/src/Mod/Draft/Resources/translations/Draft_nl.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_nl.ts b/src/Mod/Draft/Resources/translations/Draft_nl.ts index 80a3442c0dd4..16c1a9e3d438 100644 --- a/src/Mod/Draft/Resources/translations/Draft_nl.ts +++ b/src/Mod/Draft/Resources/translations/Draft_nl.ts @@ -1537,6 +1537,7 @@ pattern definitions to be added to the standard patterns Lettergrootte + @@ -1544,7 +1545,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1645,8 +1645,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1968,9 +1968,9 @@ te installeren vanuit de Uitbreidingsmanager. Sta FreeCAD toe om de DXF-bibliotheken automatisch te downloaden en bij te werken - - + + Import options Importeeropties @@ -2188,8 +2188,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Als het is ingesteld op '0' wordt de hele spline behandeld als een recht segment. - + Export options Exportopties @@ -2466,8 +2466,8 @@ These lines are thicker than normal grid lines. This is the method FreeCAD will use to convert DWG files to DXF. If "Automatic" is chosen, FreeCAD will try to find one of the following converters in the same order as they are shown here. If FreeCAD is unable to find any, you might need to choose a specific converter and indicate its path here under. Choose the "dwg2dxf" utility if using LibreDWG, "ODAFileConverter" if using the ODA file converter, or the "dwg2dwg" utility if using the pro version of QCAD. - + Automatic Automatisch @@ -3386,23 +3386,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3475,7 +3475,7 @@ To enabled FreeCAD to download these libraries, answer Yes. Wire - Draad + Polygonale lijn @@ -3563,9 +3563,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Kies tekstpositie - - + + Pick first point Kies het eerste punt @@ -3586,8 +3586,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3595,6 +3593,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Kies het volgende punt @@ -3799,6 +3799,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4004,8 +4056,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Kies afstand @@ -4045,9 +4097,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4433,8 +4485,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Selecteer een object om te upgraden @@ -4489,9 +4541,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Taakpaneel: @@ -4502,26 +4554,26 @@ The final angle will be the base angle plus this amount. Polair matrix - - + + At least one element must be selected. Ten minste één element moet worden geselecteerd. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4541,16 +4593,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Samenvoegen: - - + + Create Link array: Create Link array: @@ -4565,8 +4617,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4822,11 +4874,11 @@ The final angle will be the base angle plus this amount. Kan geen vorm genereren: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4838,19 +4890,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Verkeerde invoer: moet een getal zijn. - + + + + @@ -4860,10 +4915,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4891,8 +4943,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5303,9 +5355,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5508,16 +5560,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Waar - - + + False Onwaar @@ -7097,19 +7149,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7153,8 +7205,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7169,9 +7221,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7300,8 +7352,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8104,14 +8156,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Pijl grootte - + Arrow type Pijl type diff --git a/src/Mod/Draft/Resources/translations/Draft_pl.qm b/src/Mod/Draft/Resources/translations/Draft_pl.qm index 28ca431062d4..3517ff7386d2 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_pl.qm and b/src/Mod/Draft/Resources/translations/Draft_pl.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_pl.ts b/src/Mod/Draft/Resources/translations/Draft_pl.ts index 0d3a44b5de10..32c0a8d7858e 100644 --- a/src/Mod/Draft/Resources/translations/Draft_pl.ts +++ b/src/Mod/Draft/Resources/translations/Draft_pl.ts @@ -656,7 +656,7 @@ Działa to tylko wtedy, gdy opcja "Szyk łączy" jest nieaktywna. Fuse - Scalenie + Scal @@ -1544,6 +1544,7 @@ definicje wzorów, do dodania do standardowych wzorów Rozmiar czcionki + @@ -1551,7 +1552,6 @@ definicje wzorów, do dodania do standardowych wzorów - mm mm @@ -1652,8 +1652,8 @@ w widżecie Skala adnotacji. Jeśli skala wynosi 1:100, mnożnik wynosi 100.Domyślna szerokość linii - + px px @@ -1975,9 +1975,9 @@ z Menedżera dodatków. Pozwól programowi FreeCAD na automatyczne pobieranie i aktualizację bibliotek DXF - - + + Import options Opcje importu @@ -2195,8 +2195,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Jeśli jest ustawiona na "0", cały splajn jest traktowany jako odcinek prosty. - + Export options Opcje eksportu @@ -2475,10 +2475,10 @@ Linie te są grubsze niż zwykłe linie siatki. Jest to metoda, której FreeCAD użyje do konwersji plików DWG na DXF. Jeśli wybrano opcję "Automatycznie", FreeCAD spróbuje znaleźć jeden z poniższych konwerterów w takiej samej kolejności, w jakiej są one tutaj pokazane. Jeśli FreeCAD nie będzie w stanie znaleźć żadnego z nich, konieczne może być wybranie konkretnego konwertera i wskazanie jego ścieżki w tym miejscu. Wybierz narzędzie "dwg2dxf" jeśli używasz LibreDWG, "ODAFileConverter" jeśli używasz konwertera plików ODA, lub narzędzie "dwg2dwg" jeśli używasz wersji Pro programu QCAD. - + Automatic - Automatyczna + Automatycznie @@ -2754,7 +2754,7 @@ będzie widoczny tylko podczas wykonywania poleceń Global - Globalnie + Globalne @@ -3397,23 +3397,23 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Ustaw skalę używaną przez narzędzia do tworzenia opisów - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Brak aktywnego dokumentu — przerwano. @@ -3574,9 +3574,9 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Wybierz pozycję tekstu - - + + Pick first point Wybierz pierwszy punkt @@ -3597,8 +3597,6 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Polilinia - - @@ -3606,6 +3604,8 @@ https://github.com/yorikvanhavre/Draft-dxf-importer + + Pick next point Wybierz kolejny punkt @@ -3810,6 +3810,58 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Annotation style editor Edytor stylu opisu + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4015,8 +4067,8 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Wybierz obiekty do przycięcia lub wydłużenia - + Pick distance Wybierz odległość @@ -4056,9 +4108,9 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Splajn został zamknięty + - Last point has been removed Usunięto ostatni punkt @@ -4444,8 +4496,8 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Zmień nachylenie - + Select an object to upgrade Wybierz obiekt do ulepszenia @@ -4500,9 +4552,9 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Rozbij kształt - - + + Task panel: Panel zadań: @@ -4513,26 +4565,26 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Szyk biegunowy - - + + At least one element must be selected. Przynajmniej jeden element musi zostać wybrany. - - + + Selection is not suitable for array. Wybór nie jest odpowiedni dla szyku. - - - - + + + + Object: Obiekt: @@ -4552,16 +4604,16 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Kąt jest mniejszy niż -360 stopni. Aby kontynuować, należy ustawić go na tę wartość. - - + + Fuse: Scalenie: - - + + Create Link array: Utwórz szyk odnośników: @@ -4576,8 +4628,8 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Kąt polarny: - + Center of rotation: Środek obrotu: @@ -4833,11 +4885,11 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Nie można wygenerować kształtu: - - + + Wrong input: base_object not in document. Nieprawidłowe dane wejściowe: obiektu base_object nie ma w dokumencie. @@ -4849,19 +4901,22 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Nieprawidłowe dane wejściowe: obiektu "path_object" nie ma w dokumencie. - - - + + + Wrong input: must be a number. Błędne wejście: musi być liczba. - + + + + @@ -4871,10 +4926,7 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość. - - - - + Wrong input: must be a vector. Błędne wejście: musi być wektor. @@ -4902,8 +4954,8 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.Dane wejściowe: pojedyncza wartość rozszerzona do wektora. - + Wrong input: must be an integer number. Nieprawidłowe dane wejściowe: spodziewana liczba całkowita. @@ -5314,9 +5366,9 @@ Kąt końcowy będzie równy kątowi podstawowemu plus ta wartość.dodano właściwość widoku "Kolor tekstu" - - + + renamed 'DisplayMode' options to 'World/Screen' zmieniono nazwę opcji "Tryb wyświetlania" na "Otoczenie / Ekran" @@ -5518,16 +5570,16 @@ Proszę zainstalować dodatek bibliotek dxf ręcznie z narzędzi Menu -> Mene Kierunek odsunięcia nie jest zdefiniowany. Proszę przesuń kursor myszki do wewnątrz lub na zewnątrz obiektu, aby wskazać kierunek - - + + True Prawda - - + + False Fałsz @@ -6206,7 +6258,7 @@ CTRL, aby przyciągnąć, SHIFT, aby utworzyć wiązanie. Edit - Edytuj + Edycja @@ -6313,7 +6365,7 @@ Utwórz najpierw grupę, aby użyć tego narzędzia. Autogroup - Grupuj automatycznie + Grupowanie automatyczne @@ -6427,7 +6479,7 @@ Jeśli wybrane zostaną inne obiekty, zostaną one zignorowane. Polygon - Wielokąt foremny + Wielokąt @@ -6606,7 +6658,7 @@ Szyk można przekształcić w szyk polarny lub kołowy, zmieniając jego typ. Scale - Skaluj + Skala @@ -7113,19 +7165,19 @@ ustaw wartość Prawda dla utworzenia połączenia, lub Fałsz dla kształtu zł - + Create a face Utwórz ścianę - - + + The area of this object Obszar tego obiektu @@ -7169,8 +7221,8 @@ ustaw wartość Prawda dla utworzenia połączenia, lub Fałsz dla kształtu zł Obiekt podstawowy, który będzie zduplikowany. - + The object along which the copies will be distributed. It must contain 'Edges'. Obiekt, wzdłuż którego zostaną rozmieszczone kopie. Musi on zawierać "Krawędzie". @@ -7185,9 +7237,9 @@ ustaw wartość Prawda dla utworzenia połączenia, lub Fałsz dla kształtu zł Współczynnik obrotu krętego szyku. - - + + Show the individual array elements (only for Link arrays) Pokaż poszczególne elementy szyku (tylko dla szyków powiązań) @@ -7316,8 +7368,8 @@ Podczas używania zapisanego stylu niektóre właściwości widoku będą dostę będzie można je edytować tylko przez zmianę stylu za pomocą narzędzia "edytor stylów adnotacji". - + The base object that will be duplicated Obiekt podstawowy, który zostanie zduplikowany @@ -8118,14 +8170,14 @@ Pozostaw puste dla systemowych ustawień domyślnych.. Użyj "arch", aby wymusić notację architektoniczną amerykańską - + Arrow size Rozmiar strzałki - + Arrow type Styl strzałki @@ -8188,7 +8240,7 @@ beyond the dimension line Draft - Rysunek Roboczy + Rysunek roboczy diff --git a/src/Mod/Draft/Resources/translations/Draft_pt-BR.qm b/src/Mod/Draft/Resources/translations/Draft_pt-BR.qm index 853f1a966020..483e45ca6aa9 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_pt-BR.qm and b/src/Mod/Draft/Resources/translations/Draft_pt-BR.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_pt-BR.ts b/src/Mod/Draft/Resources/translations/Draft_pt-BR.ts index 0fae0c89d20f..82b30f87096f 100644 --- a/src/Mod/Draft/Resources/translations/Draft_pt-BR.ts +++ b/src/Mod/Draft/Resources/translations/Draft_pt-BR.ts @@ -1543,6 +1543,7 @@ pattern definitions to be added to the standard patterns Tamanho da fonte + @@ -1550,7 +1551,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1651,8 +1651,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1974,9 +1974,9 @@ do Gerenciador de Complementos. Permitir que o FreeCAD baixe e atualize automaticamente as bibliotecas DXF - - + + Import options Opções de importação @@ -2194,8 +2194,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Se definido como '0' toda a spline é tratada como um segmento reto. - + Export options Opções de Exportação @@ -2472,8 +2472,8 @@ These lines are thicker than normal grid lines. Este é o método que o FreeCAD usará para converter arquivos DWG para DXF. Se for escolhido "Automático", o FreeCAD tentará encontrar um dos seguintes conversores na mesma ordem que eles são mostrados aqui. Se o FreeCAD não for capaz de encontrar algum, será necessário escolher um conversor específico e indicar seu caminho aqui abaixo. Escolha o utilitário "dwg2dxf" se estiver usando o LibreDWG, "ODAFileConverter" se estiver usando o conversor de arquivos ODA, ou o utilitário "dwg2dwg" se estiver utilizando a versão pro do QCAD. - + Automatic Automática @@ -3391,23 +3391,23 @@ Para habilitar o FreeCAD para fazer o download destas bibliotecas, responda Sim. Definir a escala usada pelas ferramentas de anotação de rascunho - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Nenhum documento ativo. Abortando. @@ -3568,9 +3568,9 @@ Para habilitar o FreeCAD para fazer o download destas bibliotecas, responda Sim. Selecionar posição do texto - - + + Pick first point Escolha o primeiro ponto @@ -3591,8 +3591,6 @@ Para habilitar o FreeCAD para fazer o download destas bibliotecas, responda Sim. Polilinha - - @@ -3600,6 +3598,8 @@ Para habilitar o FreeCAD para fazer o download destas bibliotecas, responda Sim. + + Pick next point Escolha o próximo ponto @@ -3804,6 +3804,58 @@ Para habilitar o FreeCAD para fazer o download destas bibliotecas, responda Sim. Annotation style editor Editor de estilos de anotação + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4008,8 +4060,8 @@ The final angle will be the base angle plus this amount. Selecione objetos para aparar ou estender - + Pick distance Indique a distância @@ -4049,9 +4101,9 @@ The final angle will be the base angle plus this amount. A Spline foi fechada + - Last point has been removed O último ponto foi removido @@ -4437,8 +4489,8 @@ The final angle will be the base angle plus this amount. Alterar inclinação - + Select an object to upgrade Selecione um objeto para promover @@ -4493,9 +4545,9 @@ The final angle will be the base angle plus this amount. Rebaixar - - + + Task panel: Painel de tarefas: @@ -4506,26 +4558,26 @@ The final angle will be the base angle plus this amount. Rede polar - - + + At least one element must be selected. Deve ser selecionado ao menos um elemento. - - + + Selection is not suitable for array. A seleção não é adequada para matriz. - - - - + + + + Object: Objeto: @@ -4545,16 +4597,16 @@ The final angle will be the base angle plus this amount. O ângulo está abaixo de -360 graus. Será usado um valor de -360 graus para prosseguir. - - + + Fuse: Fundir: - - + + Create Link array: Rede de trajetória link: @@ -4569,8 +4621,8 @@ The final angle will be the base angle plus this amount. Ângulo polar: - + Center of rotation: Centro de rotação: @@ -4826,11 +4878,11 @@ The final angle will be the base angle plus this amount. Não é possível gerar uma forma: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4842,19 +4894,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Entrada errada: deve ser um número. - + + + + @@ -4864,10 +4919,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Entrada errada: deve ser um vetor. @@ -4895,8 +4947,8 @@ The final angle will be the base angle plus this amount. Entrada: valor único expandido para vetor. - + Wrong input: must be an integer number. Entrada errada: deve ser um número inteiro. @@ -5307,9 +5359,9 @@ The final angle will be the base angle plus this amount. propriedade de visualização 'TextColor' adicionada - - + + renamed 'DisplayMode' options to 'World/Screen' renomeado opção 'DisplayMode' para 'Mundo/Tela' @@ -5512,16 +5564,16 @@ no menu ferramentas -> Gerenciador de Extensões Direção do deslocamento não definida. Por favor, primeiro mova o mouse em ambos os lados do objeto para indicar uma direção - - + + True Verdadeiro - - + + False Falso @@ -7098,19 +7150,19 @@ defina Verdadeiro para fusão ou Falso para o composto - + Create a face Criar uma face - - + + The area of this object A área deste objeto @@ -7154,8 +7206,8 @@ defina Verdadeiro para fusão ou Falso para o composto O objeto base que será duplicado. - + The object along which the copies will be distributed. It must contain 'Edges'. O objeto ao longo do qual as cópias serão distribuídas. Deve conter 'Arestas'. @@ -7170,9 +7222,9 @@ defina Verdadeiro para fusão ou Falso para o composto Fator de rotação da rede torcida. - - + + Show the individual array elements (only for Link arrays) Mostrar os elementos de matriz individuais (somente para redes de vínculos) @@ -7301,8 +7353,8 @@ Ao usar um estilo salvo, algumas das propriedades de exibição se tornarão som eles só serão editáveis mudando o estilo através da ferramenta "Editor de estilo de anotação". - + The base object that will be duplicated O objeto de base que será duplicado @@ -8104,14 +8156,14 @@ Deixe em branco para o padrão do sistema. Use "arco" para forçar a notação de arco dos EUA - + Arrow size Tamanho do ponteiro - + Arrow type Tipo de ponteiro diff --git a/src/Mod/Draft/Resources/translations/Draft_pt-PT.qm b/src/Mod/Draft/Resources/translations/Draft_pt-PT.qm index 505e288f134b..d40c3a2f37b2 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_pt-PT.qm and b/src/Mod/Draft/Resources/translations/Draft_pt-PT.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_pt-PT.ts b/src/Mod/Draft/Resources/translations/Draft_pt-PT.ts index cee085634185..597401b6be64 100644 --- a/src/Mod/Draft/Resources/translations/Draft_pt-PT.ts +++ b/src/Mod/Draft/Resources/translations/Draft_pt-PT.ts @@ -1546,6 +1546,7 @@ pattern definitions to be added to the standard patterns Tamanho da fonte + @@ -1553,7 +1554,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1654,8 +1654,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1977,9 +1977,9 @@ from the Addon Manager. Permitir que o FreeCAD baixe e atualize automaticamente as bibliotecas DXF - - + + Import options Opções de importação @@ -2197,8 +2197,8 @@ If it is set to '0' the whole spline is treated as a straight segment. If it is set to '0' the whole spline is treated as a straight segment. - + Export options Opções de Exportação @@ -2475,8 +2475,8 @@ These lines are thicker than normal grid lines. This is the method FreeCAD will use to convert DWG files to DXF. If "Automatic" is chosen, FreeCAD will try to find one of the following converters in the same order as they are shown here. If FreeCAD is unable to find any, you might need to choose a specific converter and indicate its path here under. Choose the "dwg2dxf" utility if using LibreDWG, "ODAFileConverter" if using the ODA file converter, or the "dwg2dwg" utility if using the pro version of QCAD. - + Automatic Automática @@ -3396,23 +3396,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3573,9 +3573,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Escolha a posição do texto - - + + Pick first point Escolher primeiro ponto @@ -3596,8 +3596,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3605,6 +3603,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Escolha o próximo ponto @@ -3809,6 +3809,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4014,8 +4066,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4055,9 +4107,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4443,8 +4495,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4499,9 +4551,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4512,26 +4564,26 @@ The final angle will be the base angle plus this amount. Matriz polar - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4551,16 +4603,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4575,8 +4627,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4832,11 +4884,11 @@ The final angle will be the base angle plus this amount. Não é possível gerar a forma: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4848,19 +4900,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Entrada errada: deve ser um número. - + + + + @@ -4870,10 +4925,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Entrada errada: deve ser um vetor. @@ -4901,8 +4953,8 @@ The final angle will be the base angle plus this amount. Entrada: valor único expandido para vetor. - + Wrong input: must be an integer number. Entrada errada: deve ser um número inteiro. @@ -5313,9 +5365,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5518,16 +5570,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Verdadeiro - - + + False Falso @@ -7107,19 +7159,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7163,8 +7215,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7179,9 +7231,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7310,8 +7362,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8114,14 +8166,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Tamanho da seta - + Arrow type Tipo de seta diff --git a/src/Mod/Draft/Resources/translations/Draft_ro.qm b/src/Mod/Draft/Resources/translations/Draft_ro.qm index 4b13665ac6f6..d6804669da36 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_ro.qm and b/src/Mod/Draft/Resources/translations/Draft_ro.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_ro.ts b/src/Mod/Draft/Resources/translations/Draft_ro.ts index 585dd375596a..0aeb27323b59 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ro.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ro.ts @@ -1547,6 +1547,7 @@ pattern definitions to be added to the standard patterns Dimensiunea fontului + @@ -1554,7 +1555,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1655,8 +1655,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1978,9 +1978,9 @@ din Managerul de Suplimente. Permite FreeCAD să descarce automat și să actualizeze bibliotecile DXF - - + + Import options Importare opțiuni @@ -2198,8 +2198,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Dacă este setată la '0' întreaga curbă este tratată ca un segment drept. - + Export options Opţiunile de export @@ -2476,8 +2476,8 @@ These lines are thicker than normal grid lines. Aceasta este metoda pe care FreeCAD o va folosi pentru a converti fişierele DWG în DXF. Dacă este ales "Automatic", FreeCAD va încerca să găsească unul dintre următorii convertori în aceeași ordine în care sunt afișați aici. Dacă FreeCAD nu poate găsi unul, ar putea fi necesar să alegeți un anumit convertor și să indicați calea acestuia de aici desubt. Alegeți utilitatea "dwg2dxf" dacă folosiți LibreDWG, "ODAFileConverter" dacă folosiți convertorul de fișiere ODA sau utilitatea "dwg2dwg" dacă folosiți versiunea pro a QCAD. - + Automatic Automat @@ -3075,7 +3075,7 @@ Not available if Draft preference option 'Use Part Primitives' is enabled Undo - Anulează + Undo @@ -3398,23 +3398,23 @@ Pentru a permite FreeCAD să descarce aceste biblioteci, răspunde Da.Setați scara utilizată de instrumentele de adnotare a ciornei - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Niciun document activ. Abandonat. @@ -3575,9 +3575,9 @@ Pentru a permite FreeCAD să descarce aceste biblioteci, răspunde Da.Alege poziţia textului - - + + Pick first point Alege primul punct @@ -3598,8 +3598,6 @@ Pentru a permite FreeCAD să descarce aceste biblioteci, răspunde Da.Polilină - - @@ -3607,6 +3605,8 @@ Pentru a permite FreeCAD să descarce aceste biblioteci, răspunde Da. + + Pick next point Alege următorul punct @@ -3811,6 +3811,58 @@ Pentru a permite FreeCAD să descarce aceste biblioteci, răspunde Da.Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4016,8 +4068,8 @@ The final angle will be the base angle plus this amount. Selectați obiecte de tăiat sau extins - + Pick distance Alege distanța @@ -4057,9 +4109,9 @@ The final angle will be the base angle plus this amount. Linia a fost închisă + - Last point has been removed Ultimul punct a fost eliminat @@ -4445,8 +4497,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4501,9 +4553,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4514,26 +4566,26 @@ The final angle will be the base angle plus this amount. Matrice polară - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4553,16 +4605,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4577,8 +4629,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4834,11 +4886,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4850,19 +4902,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4872,10 +4927,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4903,8 +4955,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5315,9 +5367,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5520,16 +5572,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Adevărat - - + + False Fals @@ -5854,7 +5906,7 @@ will be used to provide information to the label. Hatch - Trapă + Hatch @@ -7109,19 +7161,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7165,8 +7217,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7181,9 +7233,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7312,8 +7364,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8116,14 +8168,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Dimensiunea săgeții - + Arrow type Tipul de săgeată diff --git a/src/Mod/Draft/Resources/translations/Draft_ru.qm b/src/Mod/Draft/Resources/translations/Draft_ru.qm index ccd1e937f7f2..2f87926f789e 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_ru.qm and b/src/Mod/Draft/Resources/translations/Draft_ru.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_ru.ts b/src/Mod/Draft/Resources/translations/Draft_ru.ts index c0f864363156..cbdf1875a71a 100644 --- a/src/Mod/Draft/Resources/translations/Draft_ru.ts +++ b/src/Mod/Draft/Resources/translations/Draft_ru.ts @@ -553,8 +553,8 @@ Negative values will result in copies produced in the negative direction. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. - Если флажок установлен, результирующие объекты в массиве будут сливаться, если они соприкасаются друг с другом. -Это работает только в том случае, если «массив ссылок» отключен. + Если отмечено, то результирующие объекты в массиве будут слиты, если касаются друг друга. +Это работает только в том случае, если "Связь массивов" отключена. @@ -565,13 +565,13 @@ This only works if "Link array" is off. If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - Если флажок установлен, результирующий объект будет «массивом ссылок» вместо обычного массива. -Массив Link более эффективен при создании нескольких копий, но его нельзя объединить вместе. + Если отмечено, результирующим объектом будет "Массив ссылок" вместо обычного массива. +Массив ссылок более эффективен при создании нескольких копий, но к нему нельзя применить операцию слияния. Link array - Массив ссылок + Массив из связанных объектов @@ -650,25 +650,25 @@ Change the direction of the axis itself in the property editor. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. - Если отмечено, то результирующие объекты в массиве будут слиты, если касаются друг друга. -Это работает только в том случае, если "Связь массивов" отключена. + Если флажок установлен, результирующие объекты в массиве будут сливаться, если они соприкасаются друг с другом. +Это работает только в том случае, если «массив ссылок» отключен. Fuse - Объединение + Слияние If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - Если отмечено, результирующим объектом будет "Массив ссылок" вместо обычного массива. -Массив ссылок более эффективен при создании нескольких копий, но к нему нельзя применить операцию слияния. + Если флажок установлен, результирующий объект будет «массивом ссылок» вместо обычного массива. +Массив Link более эффективен при создании нескольких копий, но его нельзя объединить вместе. Link array - Массив из связанных объектов + Массив ссылок @@ -1091,7 +1091,7 @@ value by using the [ and ] keys while drawing Tick-2 - Зацепление-2 + Засечка-2 @@ -1541,6 +1541,7 @@ pattern definitions to be added to the standard patterns Размер шрифта + @@ -1548,7 +1549,6 @@ pattern definitions to be added to the standard patterns - mm мм @@ -1649,8 +1649,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.Ширина линии по умолчанию - + px пикс. @@ -1687,7 +1687,7 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100. Tick-2 - Засечка-2 + Зацепление-2 @@ -1972,9 +1972,9 @@ from the Addon Manager. Автоматически загружать и обновлять библиотеки DXF - - + + Import options Параметры импорта @@ -2186,8 +2186,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Если задано значение «0», весь сплайн рассматривается как прямой отрезок. - + Export options Параметры экспорта @@ -2464,8 +2464,8 @@ These lines are thicker than normal grid lines. Это метод FreeCAD будет использовать для преобразования DWG файлов в DXF. Если выбрано "Автоматически", FreeCAD попытается найти один из следующих конвертеров в том порядке, что они показаны здесь. Если FreeCAD не может найти его, вам может потребоваться выбрать конкретный конвертер и указать путь к нему сразу. Выберите утилиту "dwg2dxf" при использовании LibreDWG, "ODAFileConverter" при использовании ODA конвертера файлов или утилиты "dwg2dwg" при использовании версии QCAD. - + Automatic Автоматически @@ -3382,23 +3382,23 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Установите масштаб для аннотаций - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Нет активного документа. Прерывание. @@ -3559,9 +3559,9 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Указать положение текста - - + + Pick first point Указать первую точку @@ -3582,8 +3582,6 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Полилиния - - @@ -3591,6 +3589,8 @@ https://github.com/yorikvanhavre/Draft-dxf-importer + + Pick next point Указать следующую точку @@ -3795,6 +3795,58 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Annotation style editor Редактор стилей надписей + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4000,8 +4052,8 @@ The final angle will be the base angle plus this amount. Выберите объекты для обрезки или удлинения - + Pick distance Выберите расстояние @@ -4041,9 +4093,9 @@ The final angle will be the base angle plus this amount. Сплайн замкнут + - Last point has been removed Последняя точка была удалена @@ -4429,8 +4481,8 @@ The final angle will be the base angle plus this amount. Изменить уклон - + Select an object to upgrade Выберите объект для обновления @@ -4485,9 +4537,9 @@ The final angle will be the base angle plus this amount. Упрощающее Преобразование - - + + Task panel: Панель задач: @@ -4498,26 +4550,26 @@ The final angle will be the base angle plus this amount. Массив вращения - - + + At least one element must be selected. Должен быть выбран хотя бы один элемент. - - + + Selection is not suitable for array. Выбор не подходит для массива. - - - - + + + + Object: Объект: @@ -4537,16 +4589,16 @@ The final angle will be the base angle plus this amount. Угол ниже -360 градусов. Он установлен к этому значению для продолжения. - - + + Fuse: Соединить: - - + + Create Link array: Создать массив ссылок: @@ -4561,8 +4613,8 @@ The final angle will be the base angle plus this amount. Полярный угол: - + Center of rotation: Центр вращения: @@ -4818,11 +4870,11 @@ The final angle will be the base angle plus this amount. Невозможно создать форму: - - + + Wrong input: base_object not in document. "Неверный ввод: объекта нет в документе". @@ -4834,19 +4886,22 @@ The final angle will be the base angle plus this amount. "Неверный ввод: объекта нет в документе". - - - + + + Wrong input: must be a number. Неверный ввод: должно быть число. - + + + + @@ -4856,10 +4911,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Неверный ввод: должен быть вектор. @@ -4887,8 +4939,8 @@ The final angle will be the base angle plus this amount. Вход: одно значение, расширенное до вектора. - + Wrong input: must be an integer number. Неправильный ввод: должно быть целое число. @@ -5299,9 +5351,9 @@ The final angle will be the base angle plus this amount. добавлено свойство 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' опция 'DisplayMode' переименована в 'World/Screen' @@ -5502,16 +5554,16 @@ from menu Tools -> Addon Manager Направление смещения не определено. Пожалуйста, сначала переместите мышку в любую сторону от объекта, чтобы указать направление - - + + True Да - - + + False Нет @@ -5548,7 +5600,7 @@ from menu Tools -> Addon Manager Copy - Скопировать + Копировать @@ -5604,7 +5656,7 @@ from menu Tools -> Addon Manager Draw style - Стиль рисования + Стиль представления @@ -5634,7 +5686,7 @@ from menu Tools -> Addon Manager Custom - Произвольный + Дополнительно @@ -6102,7 +6154,7 @@ However, a single sketch with disconnected traces will be converted into several Move - Переместить + Перемещение @@ -6187,7 +6239,7 @@ CTRL для привязки, SHIFT для ограничения. Edit - Правка + Редактировать @@ -6408,7 +6460,7 @@ If other objects are selected they are ignored. Polygon - Многоугольник + Многоугольник, Полигон @@ -7086,19 +7138,19 @@ set True for fusion or False for compound - + Create a face Создать грань - - + + The area of this object Площадь объекта @@ -7142,8 +7194,8 @@ set True for fusion or False for compound Базовый объект, который будет продублирован. - + The object along which the copies will be distributed. It must contain 'Edges'. Объект вдоль которого будут распространяться копии. Он должен содержать 'Рёбра'. @@ -7158,9 +7210,9 @@ set True for fusion or False for compound Коэффициент поворота закрученного массива. - - + + Show the individual array elements (only for Link arrays) Показать элементы массива (только для массивов ссылок) @@ -7285,8 +7337,8 @@ they will only be editable by changing the style through the 'Annotation style e При использовании стиля некоторые из свойств станут доступны только для чтения. Чтобы их изменить, отредактируйте стиль в 'Редакторе стилей Надписи'. - + The base object that will be duplicated Базовый объект, который будет дублироваться @@ -8087,14 +8139,14 @@ Use 'arch' to force US arch notation Используйте 'arch' для обозначения архитектурной США - + Arrow size Размер стрелки - + Arrow type Тип стрелки @@ -8157,7 +8209,7 @@ beyond the dimension line Draft - Черновик + Осадка diff --git a/src/Mod/Draft/Resources/translations/Draft_sl.qm b/src/Mod/Draft/Resources/translations/Draft_sl.qm index 7af9d461be63..4a2e1a7379c5 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_sl.qm and b/src/Mod/Draft/Resources/translations/Draft_sl.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_sl.ts b/src/Mod/Draft/Resources/translations/Draft_sl.ts index 6bc9a7747b86..12c79e293d50 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sl.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sl.ts @@ -658,7 +658,7 @@ To deluje le, če je "Vezana razpostavitev" izključena. Fuse - Zlij + Združi @@ -959,7 +959,7 @@ risanjem spremenite s tipkama [ in ] px - sl. točk + px @@ -1172,7 +1172,7 @@ v Gradniku velikosti pripisov. Če je merilo 1:100, je množilnik 100. Arrow size - Velikost puščice + Velikost puščic @@ -1544,6 +1544,7 @@ kateri bodo dodani med stalne vzorce Velikost pisave + @@ -1551,7 +1552,6 @@ kateri bodo dodani med stalne vzorce - mm mm @@ -1644,7 +1644,7 @@ v Gradniku velikosti pripisov. Če je merilo 1:100, je množilnik 100. Line width - Debelina črte + Širina črte @@ -1652,8 +1652,8 @@ v Gradniku velikosti pripisov. Če je merilo 1:100, je množilnik 100.Privzeta debelina črt - + px px @@ -1695,7 +1695,7 @@ v Gradniku velikosti pripisov. Če je merilo 1:100, je množilnik 100. Arrow size - Velikost puščic + Velikost puščice @@ -1972,9 +1972,9 @@ iz Upravljalnika dodatkov. Dovoli FreeCADu samodejni prenos in posodobitev knjižnic DXF - - + + Import options Možnosti uvoza @@ -2192,8 +2192,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Če je nastavljena na "0", bo celoten zlepek obravnavan ko raven odsek. - + Export options Možnosti izvoza @@ -2470,8 +2470,8 @@ Te so debelejše od ostalih mrežnih črt. To način, s kakršnim FreeCAD pretvori datoteke dwg v dxf. Če je izbrano "Samodejno", bo FreeCAD skušal poiskati enekga izmed sledečih pretvornikov v enakem vrstnem redu, kot so tukaj prikazani. Če FreeCAD ne more najti nobenega, boste morali izbrati določen pretvornik in določiti njegovo pot. Če uporabljate LibreDWG, izberite "dwg2dxf", "ODAFileConverter", če uporabljate pretvornik datotek ODA ali "dwg2dwg" orodje, če uporabljate profesionalno različico QCADa. - + Automatic Samodejno @@ -2748,7 +2748,7 @@ Te so debelejše od ostalih mrežnih črt. Global - Obče + Splošno @@ -3392,23 +3392,23 @@ Da FreeCADu omogočite prenos teh knjižnic, odgovorite z Da. Nastavi merilo pripisnim orodjem izrisa - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Ni dejavnega dokumenta. Prekinjanje. @@ -3569,9 +3569,9 @@ Da FreeCADu omogočite prenos teh knjižnic, odgovorite z Da. Nastavi položaj besedila - - + + Pick first point Izberite prvo točko @@ -3592,8 +3592,6 @@ Da FreeCADu omogočite prenos teh knjižnic, odgovorite z Da. Črtovje - - @@ -3601,6 +3599,8 @@ Da FreeCADu omogočite prenos teh knjižnic, odgovorite z Da. + + Pick next point Izberite naslednjo točko @@ -3805,6 +3805,58 @@ Da FreeCADu omogočite prenos teh knjižnic, odgovorite z Da. Annotation style editor Urejevalnik pripisnih slogov + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4010,8 +4062,8 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Izberite predmete za prirezovanje/podaljšanje - + Pick distance Izberite razdaljo @@ -4051,9 +4103,9 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Zlepek je bil sklenjen + - Last point has been removed Zadnja točka je bila odstranjena @@ -4439,8 +4491,8 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Spremeni naklon - + Select an object to upgrade Izberite predmet, ki ga želite izpopolniti @@ -4495,9 +4547,9 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Popreprosti - - + + Task panel: Podokno nalog: @@ -4508,26 +4560,26 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Krožna razpostavitev - - + + At least one element must be selected. Izbrati morate vsaj eno prvino. - - + + Selection is not suitable for array. Izbor ni primeren za razpostavljanje. - - - - + + + + Object: Predmet: @@ -4547,16 +4599,16 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Kot je pod -360 stopinjami. Za nadaljevanje je nastavljen na to vrednost. - - + + Fuse: Združi: - - + + Create Link array: Ustvari vezano razpostavitev: @@ -4571,8 +4623,8 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Kót razpostavljanja: - + Center of rotation: Središče sukanja: @@ -4828,11 +4880,11 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Ni mogoče ustvariti oblike: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4844,19 +4896,22 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Napačen vnos: biti mora številka. - + + + + @@ -4866,10 +4921,7 @@ Končni kót bo seštevek izhodiščnega in tega kóta. - - - - + Wrong input: must be a vector. Napačen vnos: biti mora vektor. @@ -4897,8 +4949,8 @@ Končni kót bo seštevek izhodiščnega in tega kóta. Vnos: samostojna vrednost razširjena v vektor. - + Wrong input: must be an integer number. Napačen vnos: biti mora celo število. @@ -5309,9 +5361,9 @@ Končni kót bo seštevek izhodiščnega in tega kóta. dodana lastnost pogleda "BarvaBesedila" - - + + renamed 'DisplayMode' options to 'World/Screen' možnosti "Prikaznega načina" preimenovane v "Obče/Zaslon" @@ -5514,23 +5566,23 @@ z menija Orodja -> Upravljalnik vstavkov Smer odmika ni določena. S premikom kazalke na eno stran predmeta najprej nakažite smer - - + + True Je - - + + False Ni Scale - Prevelikostenje + Povečava @@ -6260,7 +6312,7 @@ Razpostavitev lahko pretvorite v pravokotno ali krožno tako, da spremenite njen Rotate - Zavrti + Zasukaj @@ -6305,7 +6357,7 @@ Create a group first to use this tool. Autogroup - Samozdruževanje + Samodejno združevanje @@ -7101,19 +7153,19 @@ vklopite, če želite združevanje oz. izklopite, če želite sestavljanje - + Create a face Ustvari ploskev - - + + The area of this object Površina tega predmeta @@ -7157,8 +7209,8 @@ vklopite, če želite združevanje oz. izklopite, če želite sestavljanjeIzhodiščni predmet, ki bo podvojen. - + The object along which the copies will be distributed. It must contain 'Edges'. Predmet, vzdolž katerega bodo razvrščeni dvojniki. Vsebovati mora "Robove". @@ -7173,9 +7225,9 @@ vklopite, če želite združevanje oz. izklopite, če želite sestavljanjeKoličnik sukanja pri zvijajoči razpostavitvi. - - + + Show the individual array elements (only for Link arrays) Pokaži posamezne predmete razpostavitve (le pri Vezanih razpostavitvah) @@ -7304,8 +7356,8 @@ they will only be editable by changing the style through the 'Annotation style e urediti jih bo mogoče le s spremembo sloga v orodju "Urejevalnik pripisnih slogov". - + The base object that will be duplicated Izhodiščni predmet, ki bo podvojen @@ -8102,14 +8154,14 @@ Use 'arch' to force US arch notation Če želite vsiliti anglosaški arhitekturni zapis, uporabite "arch" - + Arrow size Velikost puščice - + Arrow type Vrsta puščice @@ -8174,7 +8226,7 @@ preko kotnice Draft - Izris + Ugrez diff --git a/src/Mod/Draft/Resources/translations/Draft_sr-CS.qm b/src/Mod/Draft/Resources/translations/Draft_sr-CS.qm index 3c85428e9bc5..cd8271ccd988 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_sr-CS.qm and b/src/Mod/Draft/Resources/translations/Draft_sr-CS.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_sr-CS.ts b/src/Mod/Draft/Resources/translations/Draft_sr-CS.ts index 517036224d0f..2b9fcb4ae733 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sr-CS.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sr-CS.ts @@ -554,7 +554,7 @@ Negativne vrednosti će dovesti do kopija proizvedenih u negativnom pravcu. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. - Ako je čekirano, rezultujući objekti posle umnožavanja će biti spojeni ako se dodiruju. + Ako je označeno, rezultujući objekti posle umnožavanja će biti spojeni ako se dodiruju. Ovo radi samo ako je "Umnožavanje veza" isključeno. @@ -566,7 +566,7 @@ Ovo radi samo ako je "Umnožavanje veza" isključeno. If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - Ako je čekirano, rezultujući objekat će biti „Umnožavanje veza“ umesto običnog umnožavanja. + Ako je označeno, rezultujući objekat će biti „Umnožavanje veza“ umesto običnog umnožavanja. Umnožavanje veza je efikasnije kada se napravi više kopija, ali se ne može spojiti zajedno. @@ -651,19 +651,19 @@ Promeni smer ose u uredniku osobina. If checked, the resulting objects in the array will be fused if they touch each other. This only works if "Link array" is off. - Ako je označeno, rezultujući objekti posle umnožavanja će biti spojeni ako se dodiruju. + Ako je čekirano, rezultujući objekti posle umnožavanja će biti spojeni ako se dodiruju. Ovo radi samo ako je "Umnožavanje veza" isključeno. Fuse - Unija + Spajanje If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - Ako je označeno, rezultujući objekat će biti „Umnožavanje veza“ umesto običnog umnožavanja. + Ako je čekirano, rezultujući objekat će biti „Umnožavanje veza“ umesto običnog umnožavanja. Umnožavanje veza je efikasnije kada se napravi više kopija, ali se ne može spojiti zajedno. @@ -959,7 +959,7 @@ promeniti korišćenjem tipki [ i ] tokom crtanja px - PX + px @@ -1085,12 +1085,12 @@ promeniti korišćenjem tipki [ i ] tokom crtanja Arrow - Strelica + Strela Tick - Kosa crta + Otkucaj @@ -1541,6 +1541,7 @@ pattern definitions to be added to the standard patterns Veličina fonta + @@ -1548,7 +1549,6 @@ pattern definitions to be added to the standard patterns - mm milimetar @@ -1650,8 +1650,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.Podrazumevana širina linije - + px px @@ -1678,12 +1678,12 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100. Arrow - Strela + Strelica Tick - Otkucaj + Kosa crta @@ -1973,9 +1973,9 @@ iz Menadžera dodataka. Dozvoli FreeCAD-u da automatski preuzima i ažurira DXF biblioteke - - + + Import options Podešavanja uvoza @@ -2193,8 +2193,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Ako je zadato na '0', ceo splajn se tretira kao ravni segment. - + Export options Podešavanja izvoza @@ -2471,8 +2471,8 @@ These lines are thicker than normal grid lines. Ovo je metod koji će FreeCAD koristiti za pretvaranje DWG datoteka u DXF. Ako se izabere „Automatski“, FreeCAD će pokušati da pronađe jedan od sledećih konvertera u istom redosledu kao što su prikazani ovde. Ako FreeCAD ne može da pronađe nijedan, možda ćeš morati da izabereš određeni konvertor i navedeš njegovu putanju ovde ispod. Izaberi uslužni program „dwg2dxf“ ako koristiš LibreDWG, „ODAFileConverter“ ako koristiš ODA converter datoteka ili „dwg2dwg“ uslužni program ako koristiš pro verziju QCAD-a. - + Automatic Automatski @@ -3069,7 +3069,7 @@ Nije dostupno ako je omogućena Draft opcija podešavanja 'Koristi Part primitiv Undo - Opozovi + Poništi @@ -3390,23 +3390,23 @@ Da bi omogućio FreeCAD-u da preuzme ove biblioteke, odgovori sa Da.Podesi razmeru koju koriste alati za Draft napomenu - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Nema aktivnog dokumenta. Obustavljanje. @@ -3567,9 +3567,9 @@ Da bi omogućio FreeCAD-u da preuzme ove biblioteke, odgovori sa Da.Izaberi položaj teksta - - + + Pick first point Izaberi prvu tačku @@ -3590,8 +3590,6 @@ Da bi omogućio FreeCAD-u da preuzme ove biblioteke, odgovori sa Da.Izlomljena linija - - @@ -3599,6 +3597,8 @@ Da bi omogućio FreeCAD-u da preuzme ove biblioteke, odgovori sa Da. + + Pick next point Izaberi sledeću tačku @@ -3803,6 +3803,58 @@ Da bi omogućio FreeCAD-u da preuzme ove biblioteke, odgovori sa Da.Annotation style editor Urednik izgleda napomena + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4008,8 +4060,8 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Izaberi objekte koje hoćeš opseći ili produžiti - + Pick distance Izaberi rastojanje @@ -4049,9 +4101,9 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. B-Splajn je zatvoren + - Last point has been removed Poslednja tačka je uklonjena @@ -4437,8 +4489,8 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Promeni nagib - + Select an object to upgrade Izaberi objekat koji želiš da sastaviš @@ -4493,9 +4545,9 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Rastavi - - + + Task panel: Panel zadataka: @@ -4506,26 +4558,26 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Polarno umnožavanje - - + + At least one element must be selected. Najmanje jedan elemenat mora biti izabran. - - + + Selection is not suitable for array. Izbor nije pogodan za umnožavanje. - - - - + + + + Object: Objekat: @@ -4545,16 +4597,16 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Ugao je ispod 360 stepeni. Podešeno je na ovu vrednost da bi se moglo nastaviti. - - + + Fuse: Unija: - - + + Create Link array: Napravi umnožavanje veza: @@ -4569,8 +4621,8 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Polarni ugao: - + Center of rotation: Centar rotacije: @@ -4826,11 +4878,11 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Nije moguće generisati oblik: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4842,19 +4894,22 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Pogrešan unos: mora biti broj. - + + + + @@ -4864,10 +4919,7 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. - - - - + Wrong input: must be a vector. Pogrešan unos: mora biti vektor. @@ -4895,8 +4947,8 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. Ulaz: jedna vrednost proširena na vektor. - + Wrong input: must be an integer number. Pogrešan unos: mora biti ceo broj. @@ -5307,9 +5359,9 @@ Krajnji ugao će biti početni ugao plus ovaj iznos. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5512,16 +5564,16 @@ iz menija Alati/Menadžer dodataka Smer odmaka nije definisan. Pomeri miša na jednu ili drugu stranu objekta da bi označio pravac - - + + True Tačno - - + + False Netačno @@ -5674,7 +5726,7 @@ iz menija Alati/Menadžer dodataka Tag - Oznaka + Tag @@ -5791,7 +5843,7 @@ A 'Link array' is more efficient when handling many copies but the 'Fuse' option Label - Oznaka + Ime @@ -7101,19 +7153,19 @@ podesi Tačno za uniju ili Netačno za sastavljeni objekat - + Create a face Napravi stranicu - - + + The area of this object Površina ovog objekta @@ -7157,8 +7209,8 @@ podesi Tačno za uniju ili Netačno za sastavljeni objekat Bazni objekat koji će biti dupliran. - + The object along which the copies will be distributed. It must contain 'Edges'. Objekat duž kojeg će se kopije raspoređivati. Mora da sadrži 'Ivice'. @@ -7173,9 +7225,9 @@ podesi Tačno za uniju ili Netačno za sastavljeni objekat Koeficijent rotacije Umnožavanja po putanji sa uvrtanjem. - - + + Show the individual array elements (only for Link arrays) Prikaži pojedinačne elemente umnožavanja (samo za umnožavanje veza) @@ -7303,8 +7355,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated Bazni objekat koji će biti dupliran @@ -8106,14 +8158,14 @@ Ostavi prazno za podrazumevane merne jedinice. Koristi 'arch' da bi prinudio na Građevinski US - + Arrow size Veličina strelice - + Arrow type Vrsta strelice @@ -8177,7 +8229,7 @@ iznad kotne linije Draft - Draft + Zakošenje diff --git a/src/Mod/Draft/Resources/translations/Draft_sr.qm b/src/Mod/Draft/Resources/translations/Draft_sr.qm index 04fbd9c58420..3a9dce8e91ca 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_sr.qm and b/src/Mod/Draft/Resources/translations/Draft_sr.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_sr.ts b/src/Mod/Draft/Resources/translations/Draft_sr.ts index 32e3437f86b1..998311328947 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sr.ts @@ -1541,6 +1541,7 @@ pattern definitions to be added to the standard patterns Величина фонта + @@ -1548,7 +1549,6 @@ pattern definitions to be added to the standard patterns - mm мм @@ -1650,8 +1650,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.Подразумевана ширина линије - + px px @@ -1973,9 +1973,9 @@ from the Addon Manager. Дозволите FreeCAD-у да аутоматски преузима и ажурира DXF библиотеке - - + + Import options Поставке увоза @@ -2193,8 +2193,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Ако је задато на '0', цео сплајн се третира као равни сегмент. - + Export options Опције извоза @@ -2471,8 +2471,8 @@ These lines are thicker than normal grid lines. Ово је метод који ће FreeCAD користити за претварање DWG датотека у DXF. Ако се изабере „Аутоматски“, FreeCAD ће покушати да пронађе један од следећих конвертера у истом редоследу као што су приказани овде. Ако FreeCAD не може да пронађе ниједан, можда ћеш морати да изабереш одређени конвертор и наведеш његову путању овде испод. Изабери услужни програм „dwg2dxf“ ако користиш LibreDWG, „ODAFileConverter“ ако користиш ОДА converter датотека или „dwg2dwg“ услужни програм ако користиш про верзију QCAD-а. - + Automatic Аутоматски @@ -3390,23 +3390,23 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Подеси размеру коју користе алати за Draft напомену - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. Нема активног документа. Обустављање. @@ -3567,9 +3567,9 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Изабери положај текста - - + + Pick first point Изабери прву тачку @@ -3590,8 +3590,6 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Изломљена линија - - @@ -3599,6 +3597,8 @@ https://github.com/yorikvanhavre/Draft-dxf-importer + + Pick next point Изабери следећу тачку @@ -3803,6 +3803,58 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Annotation style editor Уредник изгледа Напомене + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4008,8 +4060,8 @@ The final angle will be the base angle plus this amount. Изабери објекте које хоћеш опсећи или продужити - + Pick distance Изабери растојање @@ -4049,9 +4101,9 @@ The final angle will be the base angle plus this amount. Б-Сплајн је затворен + - Last point has been removed Последња тачка је уклоњена @@ -4437,8 +4489,8 @@ The final angle will be the base angle plus this amount. Промени нагиб - + Select an object to upgrade Изабери објекат који желиш да саставиш @@ -4493,9 +4545,9 @@ The final angle will be the base angle plus this amount. Растави - - + + Task panel: Панел задатака: @@ -4506,26 +4558,26 @@ The final angle will be the base angle plus this amount. Поларно умножавање - - + + At least one element must be selected. Најмање један елемент мора бити изабран. - - + + Selection is not suitable for array. Избор није погодан за умножавање. - - - - + + + + Object: Објекат: @@ -4545,16 +4597,16 @@ The final angle will be the base angle plus this amount. Угао је испод -360 степени. Подешено је на ову вредност да би се могло наставити. - - + + Fuse: Унија: - - + + Create Link array: Направи умножавање веза: @@ -4569,8 +4621,8 @@ The final angle will be the base angle plus this amount. Поларни угао: - + Center of rotation: Центар ротације: @@ -4826,11 +4878,11 @@ The final angle will be the base angle plus this amount. Није могуће генерисати облик: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4842,19 +4894,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Погрешан унос: мора бити број. - + + + + @@ -4864,10 +4919,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Погрешан унос: мора бити вектор. @@ -4895,8 +4947,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Погрешан унос: мора бити цео број. @@ -5307,9 +5359,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5512,16 +5564,16 @@ from menu Tools -> Addon Manager Смер одмака није дефинисан. Помери миша на једну или другу страну објекта да би означио правац - - + + True Тачно - - + + False Нетачно @@ -5674,7 +5726,7 @@ from menu Tools -> Addon Manager Tag - Ознака + Таг @@ -5791,7 +5843,7 @@ A 'Link array' is more efficient when handling many copies but the 'Fuse' option Label - Ознака + Име @@ -6198,7 +6250,7 @@ CTRL за хватање, SHIFT за ограничавање. Edit - Измени + Уреди @@ -7101,19 +7153,19 @@ set True for fusion or False for compound - + Create a face Направи страницу - - + + The area of this object Површина овог објекта @@ -7157,8 +7209,8 @@ set True for fusion or False for compound Базни објекат који ће бити дуплиран. - + The object along which the copies will be distributed. It must contain 'Edges'. Објекат дуж којег ће се копије распоређивати. Мора да садржи 'Ивице'. @@ -7173,9 +7225,9 @@ set True for fusion or False for compound Коефицијент ротације Умножавања по путањи са увртањем. - - + + Show the individual array elements (only for Link arrays) Прикажи појединачне елементе умножавања (само за умножавање веза) @@ -7303,8 +7355,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated Базни објекат који ће бити дуплиран @@ -8106,14 +8158,14 @@ Use 'arch' to force US arch notation Користи 'arch' да би принудио на Грађевински US - + Arrow size Величина стрелице - + Arrow type Врста стрелице @@ -8177,7 +8229,7 @@ beyond the dimension line Draft - Draft + Закошење diff --git a/src/Mod/Draft/Resources/translations/Draft_sv-SE.qm b/src/Mod/Draft/Resources/translations/Draft_sv-SE.qm index 72a448b526a5..17ea72cf475a 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_sv-SE.qm and b/src/Mod/Draft/Resources/translations/Draft_sv-SE.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_sv-SE.ts b/src/Mod/Draft/Resources/translations/Draft_sv-SE.ts index 50c909c270c9..ea7dfae8a9f2 100644 --- a/src/Mod/Draft/Resources/translations/Draft_sv-SE.ts +++ b/src/Mod/Draft/Resources/translations/Draft_sv-SE.ts @@ -1546,6 +1546,7 @@ pattern definitions to be added to the standard patterns Teckenstorlek + @@ -1553,7 +1554,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1654,8 +1654,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1976,9 +1976,9 @@ från Addon Manager. Tillåt FreeCAD att automatiskt hämta och uppdatera DXF-biblioteken - - + + Import options Importeringsalternativ @@ -2195,8 +2195,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Om den är satt till '0' så behandlas hela splinen som ett rakt segment. - + Export options Alternativ för exportering @@ -2473,8 +2473,8 @@ These lines are thicker than normal grid lines. This is the method FreeCAD will use to convert DWG files to DXF. If "Automatic" is chosen, FreeCAD will try to find one of the following converters in the same order as they are shown here. If FreeCAD is unable to find any, you might need to choose a specific converter and indicate its path here under. Choose the "dwg2dxf" utility if using LibreDWG, "ODAFileConverter" if using the ODA file converter, or the "dwg2dwg" utility if using the pro version of QCAD. - + Automatic Automatisk @@ -3395,23 +3395,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3572,9 +3572,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Välj textplacering - - + + Pick first point Välj första punkt @@ -3595,8 +3595,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polylinje - - @@ -3604,6 +3602,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Välj nästa punkt @@ -3808,6 +3808,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4013,8 +4065,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Välj avstånd @@ -4054,9 +4106,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4442,8 +4494,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Välj ett objekt att uppgradera @@ -4498,9 +4550,9 @@ The final angle will be the base angle plus this amount. Nedgradera - - + + Task panel: Task panel: @@ -4511,26 +4563,26 @@ The final angle will be the base angle plus this amount. Polär matris - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Objekt: @@ -4550,16 +4602,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4574,8 +4626,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4831,11 +4883,11 @@ The final angle will be the base angle plus this amount. Kan inte generera form: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4847,19 +4899,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4869,10 +4924,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4900,8 +4952,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5312,9 +5364,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5517,16 +5569,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Sant - - + + False Falskt @@ -7106,19 +7158,19 @@ set True for fusion or False for compound - + Create a face Skapa en yta - - + + The area of this object The area of this object @@ -7162,8 +7214,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7178,9 +7230,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7309,8 +7361,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8113,14 +8165,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Pilstorlek - + Arrow type Piltyp diff --git a/src/Mod/Draft/Resources/translations/Draft_tr.qm b/src/Mod/Draft/Resources/translations/Draft_tr.qm index 9e5616cab6dd..c6c05584e45b 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_tr.qm and b/src/Mod/Draft/Resources/translations/Draft_tr.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_tr.ts b/src/Mod/Draft/Resources/translations/Draft_tr.ts index d03873fb0979..e2ccb146384f 100644 --- a/src/Mod/Draft/Resources/translations/Draft_tr.ts +++ b/src/Mod/Draft/Resources/translations/Draft_tr.ts @@ -1547,6 +1547,7 @@ pattern definitions to be added to the standard patterns Yazı Boyutu + @@ -1554,7 +1555,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1655,8 +1655,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px piksel @@ -1977,9 +1977,9 @@ Bu işlemi Eklenti Yöneticisi' nden "dxf_library" tezgahını yükleyerek elle FreeCAD'in DXF kitaplıklarını otomatik olarak indirmesine ve güncellemesine izin ver - - + + Import options İçe aktarım seçenekleri @@ -2196,8 +2196,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Her çoklu çizginin her bir parçasının en büyük uzunluğu, eğer değeri 0 olarak atanır ise her parça düz olur. - + Export options Dışa aktarım seçenekleri @@ -2474,8 +2474,8 @@ These lines are thicker than normal grid lines. Bu yöntem FreeCAD'in, DWG dosyalarını DXF'ye dönüştürmede kullanacağı yöntemdir. "Otomatik" seçiliyse, FreeCAD aşağıdaki dönüştürücülerden birini burada gösterildikleri aynı sırayla bulmayı deneyecektir. Eğer FreeCAD herhangi birini bulamazsa, özel bir dönüştürücü seçmeniz ve yolunu burada altta belirtmeniz gerekecektir. LibreDWG kullanıyorsanız "dwg2dxf" yazılımını, ODA dosya dönüştürücü kullanıyorsanız "ODAFileConverter"ı ya da QCAD'in pro sürümünü kullanıyorsanız "dwg2dwg" yazılımını seçin. - + Automatic Otomatik @@ -3396,23 +3396,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3573,9 +3573,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3596,8 +3596,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3605,6 +3603,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3809,6 +3809,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4014,8 +4066,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4055,9 +4107,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4443,8 +4495,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4499,9 +4551,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4512,26 +4564,26 @@ The final angle will be the base angle plus this amount. Kutupsal dizi - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4551,16 +4603,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4575,8 +4627,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4832,11 +4884,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4848,19 +4900,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4870,10 +4925,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4901,8 +4953,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5313,9 +5365,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5518,16 +5570,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Doğru - - + + False Yanlış @@ -7107,19 +7159,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7163,8 +7215,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7179,9 +7231,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7310,8 +7362,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8114,14 +8166,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Ok boyu - + Arrow type Ok tipi diff --git a/src/Mod/Draft/Resources/translations/Draft_uk.qm b/src/Mod/Draft/Resources/translations/Draft_uk.qm index bb130813926f..2fba56716fe0 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_uk.qm and b/src/Mod/Draft/Resources/translations/Draft_uk.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_uk.ts b/src/Mod/Draft/Resources/translations/Draft_uk.ts index ccb775148581..732b844049a5 100644 --- a/src/Mod/Draft/Resources/translations/Draft_uk.ts +++ b/src/Mod/Draft/Resources/translations/Draft_uk.ts @@ -1546,6 +1546,7 @@ pattern definitions to be added to the standard patterns Розмір шрифту + @@ -1553,7 +1554,6 @@ pattern definitions to be added to the standard patterns - mm мм @@ -1654,8 +1654,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px пікс. @@ -1976,9 +1976,9 @@ from the Addon Manager. Дозволити FreeCAD автоматично завантажувати та оновлювати DXF-бібліотеки - - + + Import options Налаштування імпорту @@ -2196,8 +2196,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Якщо значення встановлено у «0», весь сплайн розглядається як прямий сегмент. - + Export options Налаштування експорту @@ -2474,8 +2474,8 @@ These lines are thicker than normal grid lines. Цей метод FreeCAD використовуватиме для перетворення DWG файлів у DXF. Якщо вибрано "Автоматично", то FreeCAD буде шукати один з наступних перетворювачів у тому ж порядку, як і показано тут. Якщо FreeCAD не в змозі знайти когось, вам, можливо, потрібно вибрати конкретний перетворювач та вказати його шлях тут нижче. Виберіть утиліту "dwg2dxf", якщо використовуєте LibreDWG, "ODAFileConverter" якщо використовується інструмент перетворення файлів ODA або утиліта "dwg2dwg", якщо використовується пробна версія QCAD. - + Automatic Автоматичний @@ -3396,23 +3396,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3573,9 +3573,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3596,8 +3596,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3605,6 +3603,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3809,6 +3809,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4014,8 +4066,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4055,9 +4107,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4443,8 +4495,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4499,9 +4551,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4512,26 +4564,26 @@ The final angle will be the base angle plus this amount. Полярний масив - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4551,16 +4603,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4575,8 +4627,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4832,11 +4884,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4848,19 +4900,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4870,10 +4925,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4901,8 +4953,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5313,9 +5365,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5518,16 +5570,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Так - - + + False Ні @@ -7107,19 +7159,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7163,8 +7215,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7179,9 +7231,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7310,8 +7362,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8114,14 +8166,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Розмір стрілки - + Arrow type Тип стрілки diff --git a/src/Mod/Draft/Resources/translations/Draft_val-ES.qm b/src/Mod/Draft/Resources/translations/Draft_val-ES.qm index c0b482922c3d..0b24cc949674 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_val-ES.qm and b/src/Mod/Draft/Resources/translations/Draft_val-ES.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_val-ES.ts b/src/Mod/Draft/Resources/translations/Draft_val-ES.ts index d70daef5111c..ba278334e64f 100644 --- a/src/Mod/Draft/Resources/translations/Draft_val-ES.ts +++ b/src/Mod/Draft/Resources/translations/Draft_val-ES.ts @@ -1539,6 +1539,7 @@ pattern definitions to be added to the standard patterns Mida del tipus de lletra + @@ -1546,7 +1547,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1647,8 +1647,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1967,9 +1967,9 @@ del gestor de complements. Permeten que FreeCAD descarregue i actualitze automàticament les biblioteques DXF - - + + Import options Opcions d'importació @@ -2179,8 +2179,8 @@ If it is set to '0' the whole spline is treated as a straight segment. Longitud màxima de cadascun dels segments de la polilínia. Si s'estableix en «0», l'spline sencer es tracta com un segment recte. - + Export options Opcions d'exportació @@ -2457,8 +2457,8 @@ These lines are thicker than normal grid lines. This is the method FreeCAD will use to convert DWG files to DXF. If "Automatic" is chosen, FreeCAD will try to find one of the following converters in the same order as they are shown here. If FreeCAD is unable to find any, you might need to choose a specific converter and indicate its path here under. Choose the "dwg2dxf" utility if using LibreDWG, "ODAFileConverter" if using the ODA file converter, or the "dwg2dwg" utility if using the pro version of QCAD. - + Automatic Automàtica @@ -3379,23 +3379,23 @@ To enabled FreeCAD to download these libraries, answer Yes. Set the scale used by draft annotation tools - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. No active document. Aborting. @@ -3556,9 +3556,9 @@ To enabled FreeCAD to download these libraries, answer Yes. Pick text position - - + + Pick first point Pick first point @@ -3579,8 +3579,6 @@ To enabled FreeCAD to download these libraries, answer Yes. Polyline - - @@ -3588,6 +3586,8 @@ To enabled FreeCAD to download these libraries, answer Yes. + + Pick next point Pick next point @@ -3792,6 +3792,58 @@ To enabled FreeCAD to download these libraries, answer Yes. Annotation style editor Annotation style editor + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -3997,8 +4049,8 @@ The final angle will be the base angle plus this amount. Select objects to trim or extend - + Pick distance Pick distance @@ -4038,9 +4090,9 @@ The final angle will be the base angle plus this amount. Spline has been closed + - Last point has been removed Last point has been removed @@ -4426,8 +4478,8 @@ The final angle will be the base angle plus this amount. Change slope - + Select an object to upgrade Select an object to upgrade @@ -4482,9 +4534,9 @@ The final angle will be the base angle plus this amount. Downgrade - - + + Task panel: Task panel: @@ -4495,26 +4547,26 @@ The final angle will be the base angle plus this amount. Matriu polar - - + + At least one element must be selected. At least one element must be selected. - - + + Selection is not suitable for array. Selection is not suitable for array. - - - - + + + + Object: Object: @@ -4534,16 +4586,16 @@ The final angle will be the base angle plus this amount. The angle is below -360 degrees. It is set to this value to proceed. - - + + Fuse: Fuse: - - + + Create Link array: Create Link array: @@ -4558,8 +4610,8 @@ The final angle will be the base angle plus this amount. Polar angle: - + Center of rotation: Center of rotation: @@ -4815,11 +4867,11 @@ The final angle will be the base angle plus this amount. Cannot generate shape: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4831,19 +4883,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. Wrong input: must be a number. - + + + + @@ -4853,10 +4908,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. Wrong input: must be a vector. @@ -4884,8 +4936,8 @@ The final angle will be the base angle plus this amount. Input: single value expanded to vector. - + Wrong input: must be an integer number. Wrong input: must be an integer number. @@ -5296,9 +5348,9 @@ The final angle will be the base angle plus this amount. added view property 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' renamed 'DisplayMode' options to 'World/Screen' @@ -5501,16 +5553,16 @@ from menu Tools -> Addon Manager Offset direction is not defined. Please move the mouse on either side of the object first to indicate a direction - - + + True Cert - - + + False Fals @@ -7090,19 +7142,19 @@ set True for fusion or False for compound - + Create a face Create a face - - + + The area of this object The area of this object @@ -7146,8 +7198,8 @@ set True for fusion or False for compound The base object that will be duplicated. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7162,9 +7214,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7293,8 +7345,8 @@ When using a saved style some of the view properties will become read-only; they will only be editable by changing the style through the 'Annotation style editor' tool. - + The base object that will be duplicated The base object that will be duplicated @@ -8097,14 +8149,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size Mida de la fletxa - + Arrow type Tipus de fletxa diff --git a/src/Mod/Draft/Resources/translations/Draft_zh-CN.qm b/src/Mod/Draft/Resources/translations/Draft_zh-CN.qm index 256f46e91a90..aabe55961a89 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_zh-CN.qm and b/src/Mod/Draft/Resources/translations/Draft_zh-CN.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_zh-CN.ts b/src/Mod/Draft/Resources/translations/Draft_zh-CN.ts index b9b74b8d6455..50af9bb74f19 100644 --- a/src/Mod/Draft/Resources/translations/Draft_zh-CN.ts +++ b/src/Mod/Draft/Resources/translations/Draft_zh-CN.ts @@ -1539,6 +1539,7 @@ pattern definitions to be added to the standard patterns 字体大小 + @@ -1546,7 +1547,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1647,8 +1647,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1970,9 +1970,9 @@ from the Addon Manager. 允许 FreeCAD 自动下载和更新 DXF 库 - - + + Import options 导入选项 @@ -2189,8 +2189,8 @@ If it is set to '0' the whole spline is treated as a straight segment. 如果设置为“0”,整个样条将被当作直线段。 - + Export options 导出选项 @@ -2467,8 +2467,8 @@ These lines are thicker than normal grid lines. 这个方法 FreeCAD 将用于将 DWG 文件转换为 DXF。 如果选择“自动”,FreeCAD 将尝试按照这里显示的顺序找到以下转换器之一。 如果FreeCAD 找不到任何,您可能需要选择一个特定的转换器并在这里指明其路径。 如果使用 LibreDWG, "ODAFileConverter" 如果使用官方发展援助文件转换器,请选择"dwg2dxf", 如果使用QCAD Pro 版本,请选择"dwg2dwg"。 - + Automatic 自动 @@ -3387,23 +3387,23 @@ https://github.com/yorikvanhavre/Draft-dxf-importer 设置草稿批注工具使用的比例 - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. 没有活动文档。中止。 @@ -3564,9 +3564,9 @@ https://github.com/yorikvanhavre/Draft-dxf-importer 选择文本位置 - - + + Pick first point 选取起点 @@ -3587,8 +3587,6 @@ https://github.com/yorikvanhavre/Draft-dxf-importer 折线 - - @@ -3596,6 +3594,8 @@ https://github.com/yorikvanhavre/Draft-dxf-importer + + Pick next point 选择下一个点 @@ -3800,6 +3800,58 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Annotation style editor 注释样式编辑器 + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -4005,8 +4057,8 @@ The final angle will be the base angle plus this amount. 选择要修剪/延伸的对象 - + Pick distance 选择距离 @@ -4046,9 +4098,9 @@ The final angle will be the base angle plus this amount. 样条线已闭合 + - Last point has been removed 最后一点已被删除 @@ -4434,8 +4486,8 @@ The final angle will be the base angle plus this amount. 改变斜度 - + Select an object to upgrade 选择要升级的对象 @@ -4490,9 +4542,9 @@ The final angle will be the base angle plus this amount. 降级 - - + + Task panel: 任务面板: @@ -4503,26 +4555,26 @@ The final angle will be the base angle plus this amount. 环形阵列 - - + + At least one element must be selected. 必须至少选择一个元素。 - - + + Selection is not suitable for array. 选区不适合阵列。 - - - - + + + + Object: 对象: @@ -4542,16 +4594,16 @@ The final angle will be the base angle plus this amount. 角度低于-360度。它被设置为该值以继续。 - - + + Fuse: 合成 - - + + Create Link array: 建立連結陣列: @@ -4566,8 +4618,8 @@ The final angle will be the base angle plus this amount. 极角: - + Center of rotation: 旋转中心: @@ -4823,11 +4875,11 @@ The final angle will be the base angle plus this amount. 无法生成形状: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4839,19 +4891,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. 输入错误:必须是一个数字。 - + + + + @@ -4861,10 +4916,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. 错误的输入:必须是一个矢量。 @@ -4892,8 +4944,8 @@ The final angle will be the base angle plus this amount. 输入:单个值扩展到矢量。 - + Wrong input: must be an integer number. 错误的输入:必须是整数。 @@ -5304,9 +5356,9 @@ The final angle will be the base angle plus this amount. 添加视图属性 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' 重命名为 'World/Screen' 选项 @@ -5507,16 +5559,16 @@ from menu Tools -> Addon Manager 偏移方向未定义。请将鼠标移动到对象的两侧以显示方向 - - + + True - - + + False @@ -7090,19 +7142,19 @@ set True for fusion or False for compound - + Create a face 创建面 - - + + The area of this object 此对象的面积 @@ -7146,8 +7198,8 @@ set True for fusion or False for compound 将被复制的基对象. - + The object along which the copies will be distributed. It must contain 'Edges'. The object along which the copies will be distributed. It must contain 'Edges'. @@ -7162,9 +7214,9 @@ set True for fusion or False for compound Rotation factor of the twisted array. - - + + Show the individual array elements (only for Link arrays) Show the individual array elements (only for Link arrays) @@ -7291,8 +7343,8 @@ they will only be editable by changing the style through the 'Annotation style e 只能通过通过“注释样式编辑器”改变样式才能编辑。 - + The base object that will be duplicated 将被复制的基对象 @@ -8095,14 +8147,14 @@ Leave blank for system default. Use 'arch' to force US arch notation - + Arrow size 箭头大小 - + Arrow type 箭头类型 diff --git a/src/Mod/Draft/Resources/translations/Draft_zh-TW.qm b/src/Mod/Draft/Resources/translations/Draft_zh-TW.qm index dddc5ce31895..7c266b973524 100644 Binary files a/src/Mod/Draft/Resources/translations/Draft_zh-TW.qm and b/src/Mod/Draft/Resources/translations/Draft_zh-TW.qm differ diff --git a/src/Mod/Draft/Resources/translations/Draft_zh-TW.ts b/src/Mod/Draft/Resources/translations/Draft_zh-TW.ts index 9bad00825663..d8434f36ef6f 100644 --- a/src/Mod/Draft/Resources/translations/Draft_zh-TW.ts +++ b/src/Mod/Draft/Resources/translations/Draft_zh-TW.ts @@ -565,7 +565,7 @@ This only works if "Link array" is off. If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - 若被勾選,其結果物件將是一個 “連結陣列 (Link array)”,而不是一個常規陣列 (regular array)。 + 若被勾選,其結果物件將是一個 “連結陣列 (Link array)”,而不是一個常規陣列。 連結陣列在創建多個副本時更有效,但不能融合在一起。 @@ -656,13 +656,13 @@ This only works if "Link array" is off. Fuse - 聯集實體 + 聯集 If checked, the resulting object will be a "Link array" instead of a regular array. A Link array is more efficient when creating multiple copies, but it cannot be fused together. - 若被勾選,其結果物件將是一個 “連結陣列 (Link array)”,而不是一個常規陣列。 + 若被勾選,其結果物件將是一個 “連結陣列 (Link array)”,而不是一個常規陣列 (regular array)。 連結陣列在創建多個副本時更有效,但不能融合在一起。 @@ -949,7 +949,7 @@ value by using the [ and ] keys while drawing px - 像素 + px @@ -1536,6 +1536,7 @@ pattern definitions to be added to the standard patterns 字型尺寸 + @@ -1543,7 +1544,6 @@ pattern definitions to be added to the standard patterns - mm mm @@ -1644,8 +1644,8 @@ in the Annotation scale widget. If the scale is 1:100 the multiplier is 100.The default line width - + px px @@ -1966,9 +1966,9 @@ from the Addon Manager. 允許FreeCAD自動下載並更新DXF函式庫 - - + + Import options 匯入選項 @@ -2183,8 +2183,8 @@ If it is set to '0' the whole spline is treated as a straight segment. 若設為 '0' 則整個 spline 曲線被視為一直線段。 - + Export options 匯出選項 @@ -2460,8 +2460,8 @@ These lines are thicker than normal grid lines. 這是 FreeCAD 將使用的方法將 DWG 文件轉換為 DXF。如果選擇了「自動」,FreeCAD 將嘗試按照以下顯示的順序查找以下轉換器之一。如果 FreeCAD 無法找到任何轉換器,您可能需要選擇特定的轉換器並在這裡指定其路徑。如果使用 LibreDWG,請選擇 "dwg2dxf" 公用程式,如果使用 ODA 檔案轉換器,請選擇 "ODAFileConverter",如果使用 QCAD 的專業版本,請選擇 "dwg2dwg" 公用程式。 - + Automatic 自動 @@ -3377,23 +3377,23 @@ https://github.com/yorikvanhavre/Draft-dxf-importer 設定由草稿標註工具使用的縮放比例 - - + + + + + + + + + - + - - - - - - - - + No active document. Aborting. 無活動中文件。中止。 @@ -3554,9 +3554,9 @@ https://github.com/yorikvanhavre/Draft-dxf-importer 挑選文字位置 - - + + Pick first point 挑選第一個點 @@ -3577,8 +3577,6 @@ https://github.com/yorikvanhavre/Draft-dxf-importer 折線 - - @@ -3586,6 +3584,8 @@ https://github.com/yorikvanhavre/Draft-dxf-importer + + Pick next point 挑選下一個點 @@ -3790,6 +3790,58 @@ https://github.com/yorikvanhavre/Draft-dxf-importer Annotation style editor 註解樣式編輯器 + + + Create new style + Create new style + + + + Style name: + Style name: + + + + Style name required + Style name required + + + + No style name specified + No style name specified + + + + + Style exists + Style exists + + + + + This style name already exists + This style name already exists + + + + Style in use + Style in use + + + + This style is used by some objects in this document. Are you sure? + This style is used by some objects in this document. Are you sure? + + + + Rename style + Rename style + + + + New name: + New name: + Open styles file @@ -3995,8 +4047,8 @@ The final angle will be the base angle plus this amount. 選取要修剪或延伸的物件 - + Pick distance 挑選距離 @@ -4036,9 +4088,9 @@ The final angle will be the base angle plus this amount. Spline 曲線已封閉 + - Last point has been removed 最後一點已被移除 @@ -4424,8 +4476,8 @@ The final angle will be the base angle plus this amount. 改變斜率 - + Select an object to upgrade 選擇一個物件以進行升級 @@ -4480,9 +4532,9 @@ The final angle will be the base angle plus this amount. 降級 - - + + Task panel: 工作面板: @@ -4493,26 +4545,26 @@ The final angle will be the base angle plus this amount. 環形陣列 - - + + At least one element must be selected. 至少必須選擇一個元件。 - - + + Selection is not suitable for array. 選擇不適用在陣列上。 - - - - + + + + Object: 物件: @@ -4532,16 +4584,16 @@ The final angle will be the base angle plus this amount. 角度低於 -360 度。它被設置為這個值以繼續。 - - + + Fuse: 聯集: - - + + Create Link array: 建立連結陣列: @@ -4556,8 +4608,8 @@ The final angle will be the base angle plus this amount. 極角: - + Center of rotation: 旋轉中心點: @@ -4813,11 +4865,11 @@ The final angle will be the base angle plus this amount. 無法產生形狀: - - + + Wrong input: base_object not in document. Wrong input: base_object not in document. @@ -4829,19 +4881,22 @@ The final angle will be the base angle plus this amount. Wrong input: path_object not in document. - - - + + + Wrong input: must be a number. 錯誤輸入: 必須為一數字。 - + + + + @@ -4851,10 +4906,7 @@ The final angle will be the base angle plus this amount. - - - - + Wrong input: must be a vector. 錯誤輸入: 必須為一向量。 @@ -4882,8 +4934,8 @@ The final angle will be the base angle plus this amount. 輸入:將單一值擴展為向量。 - + Wrong input: must be an integer number. 錯誤輸入: 必須為一整數。 @@ -5294,9 +5346,9 @@ The final angle will be the base angle plus this amount. 新增視圖屬性 'TextColor' - - + + renamed 'DisplayMode' options to 'World/Screen' 將 'DisplayMode' 選項更名為 'World/Screen' @@ -5499,16 +5551,16 @@ from menu Tools -> Addon Manager 偏移方向未定義。請首先將滑鼠移動到物件的一側,以指示方向。 - - + + True 真(True) - - + + False 偽(False) @@ -5778,7 +5830,7 @@ A 'Link array' is more efficient when handling many copies but the 'Fuse' option Label - 標籤 + Label @@ -6433,7 +6485,7 @@ It works best when choosing a point on a straight segment and not a corner verte Trimex - 修剪及延伸 + Trimex @@ -7074,19 +7126,19 @@ set True for fusion or False for compound - + Create a face 建立一個面 - - + + The area of this object 此物件的面積 @@ -7130,8 +7182,8 @@ set True for fusion or False for compound 此基礎物件將會被複製。 - + The object along which the copies will be distributed. It must contain 'Edges'. 副本將分佈的物件必須包含 'Edges' (邊緣)。 @@ -7146,9 +7198,9 @@ set True for fusion or False for compound 扭曲陣列的旋轉因數。 - - + + Show the individual array elements (only for Link arrays) 顯示單個陣列元件(僅適用於連結陣列) @@ -7264,8 +7316,8 @@ they will only be editable by changing the style through the 'Annotation style e 只能通過「註解樣式編輯器」工具來修改它們。 - + The base object that will be duplicated 此基礎物件將會被複製 @@ -8059,14 +8111,14 @@ Use 'arch' to force US arch notation 使用 'arch' 以強制使用美式建築表示法 - + Arrow size 箭頭尺寸 - + Arrow type 箭頭樣式 diff --git a/src/Mod/Fem/App/FemMesh.cpp b/src/Mod/Fem/App/FemMesh.cpp index 008412acb377..8ab5d1eb1a81 100644 --- a/src/Mod/Fem/App/FemMesh.cpp +++ b/src/Mod/Fem/App/FemMesh.cpp @@ -1621,7 +1621,7 @@ class CHEXA2Element: public NastranElement void FemMesh::readNastran(const std::string& Filename) { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: FemMesh::readNastran() =================================\n"); _Mtrx = Base::Matrix4D(); @@ -1699,7 +1699,7 @@ void FemMesh::readNastran(const std::string& Filename) inputfile.close(); Base::Console().Log(" %f: File read, start building mesh\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // Now fill the SMESH datastructure SMESHDS_Mesh* meshds = this->myMesh->GetMeshDS(); @@ -1709,12 +1709,13 @@ void FemMesh::readNastran(const std::string& Filename) it->addToMesh(meshds); } - Base::Console().Log(" %f: Done \n", Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::Console().Log(" %f: Done \n", + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); } void FemMesh::readNastran95(const std::string& Filename) { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: FemMesh::readNastran95() =================================\n"); _Mtrx = Base::Matrix4D(); @@ -1825,7 +1826,7 @@ void FemMesh::readNastran95(const std::string& Filename) inputfile.close(); Base::Console().Log(" %f: File read, start building mesh\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // Now fill the SMESH datastructure SMESHDS_Mesh* meshds = this->myMesh->GetMeshDS(); @@ -1839,12 +1840,13 @@ void FemMesh::readNastran95(const std::string& Filename) it->addToMesh(meshds); } - Base::Console().Log(" %f: Done \n", Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::Console().Log(" %f: Done \n", + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); } void FemMesh::readAbaqus(const std::string& FileName) { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: FemMesh::readAbaqus() =================================\n"); /* @@ -1878,12 +1880,13 @@ void FemMesh::readAbaqus(const std::string& FileName) catch (Py::Exception& e) { e.clear(); } - Base::Console().Log(" %f: Done \n", Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::Console().Log(" %f: Done \n", + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); } void FemMesh::readZ88(const std::string& FileName) { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: FemMesh::readZ88() =================================\n"); /* @@ -1917,7 +1920,8 @@ void FemMesh::readZ88(const std::string& FileName) catch (Py::Exception& e) { e.clear(); } - Base::Console().Log(" %f: Done \n", Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::Console().Log(" %f: Done \n", + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); } void FemMesh::read(const char* FileName) @@ -2416,7 +2420,7 @@ void FemMesh::writeABAQUS(const std::string& Filename, int elemParam, bool group void FemMesh::writeZ88(const std::string& FileName) const { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: FemMesh::writeZ88() =================================\n"); /* diff --git a/src/Mod/Fem/App/FemVTKTools.cpp b/src/Mod/Fem/App/FemVTKTools.cpp index 0a3b42de86d2..ac88e59518dc 100644 --- a/src/Mod/Fem/App/FemVTKTools.cpp +++ b/src/Mod/Fem/App/FemVTKTools.cpp @@ -267,7 +267,7 @@ void FemVTKTools::importVTKMesh(vtkSmartPointer dataset, FemMesh* me FemMesh* FemVTKTools::readVTKMesh(const char* filename, FemMesh* mesh) { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: read FemMesh from VTK unstructuredGrid ======================\n"); Base::FileInfo f(filename); @@ -301,7 +301,8 @@ FemMesh* FemVTKTools::readVTKMesh(const char* filename, FemMesh* mesh) } // Mesh should link to the part feature, in order to set up FemConstraint - Base::Console().Log(" %f: Done \n", Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::Console().Log(" %f: Done \n", + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); return mesh; } @@ -543,7 +544,7 @@ void FemVTKTools::exportVTKMesh(const FemMesh* mesh, void FemVTKTools::writeVTKMesh(const char* filename, const FemMesh* mesh) { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: write FemMesh from VTK unstructuredGrid ======================\n"); Base::FileInfo f(filename); @@ -561,7 +562,8 @@ void FemVTKTools::writeVTKMesh(const char* filename, const FemMesh* mesh) Base::Console().Error("file name extension is not supported to write VTK\n"); } - Base::Console().Log(" %f: Done \n", Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::Console().Log(" %f: Done \n", + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); } @@ -611,7 +613,7 @@ App::DocumentObject* createObjectByType(const Base::Type type) App::DocumentObject* FemVTKTools::readResult(const char* filename, App::DocumentObject* res) { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log( "Start: read FemResult with FemMesh from VTK file ======================\n"); Base::FileInfo f(filename); @@ -667,7 +669,8 @@ App::DocumentObject* FemVTKTools::readResult(const char* filename, App::Document } pcDoc->recompute(); - Base::Console().Log(" %f: Done \n", Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::Console().Log(" %f: Done \n", + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); Base::Console().Log("End: read FemResult with FemMesh from VTK file ======================\n"); return result; @@ -689,7 +692,7 @@ void FemVTKTools::writeResult(const char* filename, const App::DocumentObject* r return; } - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log("Start: write FemResult to VTK unstructuredGrid dataset =======\n"); Base::FileInfo f(filename); @@ -702,7 +705,7 @@ void FemVTKTools::writeResult(const char* filename, const App::DocumentObject* r FemVTKTools::exportVTKMesh(&fmesh, grid); Base::Console().Log(" %f: vtk mesh builder finished\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // result FemVTKTools::exportFreeCADResult(res, grid); @@ -719,7 +722,7 @@ void FemVTKTools::writeResult(const char* filename, const App::DocumentObject* r } Base::Console().Log(" %f: writing result object to vtk finished\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); Base::Console().Log("End: write FemResult to VTK unstructuredGrid dataset =======\n"); } diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem.ts b/src/Mod/Fem/Gui/Resources/translations/Fem.ts index f6168199601e..a1469385ec51 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem.ts @@ -2503,15 +2503,15 @@ Specify another file please. FemMaterial - + FEM material - + Material @@ -2536,9 +2536,9 @@ Specify another file please. - + TextLabel @@ -2888,17 +2888,17 @@ Specify another file please. + + + - - - 0 mm @@ -2908,11 +2908,11 @@ Specify another file please. - + - + Parameter @@ -2942,13 +2942,13 @@ Specify another file please. - - + + - - + + Analysis feature properties @@ -2963,12 +2963,9 @@ Specify another file please. - - - - - - + + + @@ -2981,15 +2978,18 @@ Specify another file please. - - - + + + + + + unspecified @@ -3030,16 +3030,16 @@ with a harmonic/oscillating driving force - + Real - + Imaginary @@ -3059,9 +3059,9 @@ with a harmonic/oscillating driving force - + x @@ -3078,9 +3078,9 @@ Note: has no effect if a solid was selected - + y @@ -3097,9 +3097,9 @@ Note: has no effect if a solid was selected - + z @@ -3147,8 +3147,8 @@ Note: has no effect if a solid was selected - + Cross section parameter @@ -3203,30 +3203,30 @@ Note: has no effect if a solid was selected - - - + + + formula - + Velocity x: - + Velocity y: - + Velocity z: @@ -3346,14 +3346,14 @@ Note: for 2D only setting for x is possible, - + Real part of potential z-component - + Imaginary part of potential z-component @@ -3471,26 +3471,26 @@ Note: for 2D only setting for x is possible, - + - - - + + + A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts index 8753aa8498f1..7230a48e32e6 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_be.ts @@ -24,7 +24,7 @@ Fem - Fem + МКЭ @@ -1790,7 +1790,7 @@ Specify another file please. Input error - Памылка ўводу + Input error @@ -2537,15 +2537,15 @@ Specify another file please. FemMaterial - + FEM material Матэрыял МКЭ - + Material Матэрыял @@ -2570,9 +2570,9 @@ Specify another file please. Назва матэрыялу - + TextLabel ТэкставыНадпіс @@ -2922,17 +2922,17 @@ Specify another file please. Уключыць рэгуляванне + + + - - - 0 mm 0 мм @@ -2942,11 +2942,11 @@ Specify another file please. Налада цэнтрыфугавання - + - + Parameter Налада @@ -2976,13 +2976,13 @@ Specify another file please. Налада вынікаў падзелу - - + + - - + + Analysis feature properties Уласцівасці элементаў аналізу @@ -2997,12 +2997,9 @@ Specify another file please. Патэнцыял: - - - - - - + + + @@ -3015,15 +3012,18 @@ Specify another file please. - - - + + + + + + unspecified не ўдакладнены @@ -3064,16 +3064,16 @@ with a harmonic/oscillating driving force Калі межавая ўмова для электрастатычнай сілы - + Real Сапраўдная частка - + Imaginary Уяўная частка @@ -3093,9 +3093,9 @@ with a harmonic/oscillating driving force Уяўная частка скалярнага патэнцыялу - + x x @@ -3114,9 +3114,9 @@ Note: has no effect if a solid was selected Заўвага: не мае аніякага эфекту, калі было абрана суцэльнае цела - + y y @@ -3135,9 +3135,9 @@ Note: has no effect if a solid was selected Заўвага: не мае аніякага эфекту, калі было абрана суцэльнае цела - + z z @@ -3187,8 +3187,8 @@ Note: has no effect if a solid was selected Налада перасеку бэлькі - + Cross section parameter Налада папярочнага перасеку @@ -3210,7 +3210,7 @@ Note: has no effect if a solid was selected Outer diameter: - Outer diameter: + Вонкавы дыяметр: @@ -3243,30 +3243,30 @@ Note: has no effect if a solid was selected Вярчэнне: - - - + + + formula формула - + Velocity x: Хуткасць па восі x: - + Velocity y: Хуткасць па восі y: - + Velocity z: Хуткасць па восі z: @@ -3394,14 +3394,14 @@ Note: for 2D only setting for x is possible, Уяўная частка кампаненты y комплекснага патэнцыялу - + Real part of potential z-component Сапраўдная частка кампаненты z комплекснага патэнцыялу - + Imaginary part of potential z-component Уяўная частка кампаненты z комплекснага патэнцыялу @@ -3519,26 +3519,26 @@ Note: for 2D only setting for x is possible, Скасаваць - + - - - + + + A dialog is already open in the task panel На панэлі задач дыялогавае акно ўжо адчыненае - + - - - + + + Do you want to close this dialog? Ці жадаеце вы зачыніць дыялогавае акно? @@ -4055,7 +4055,7 @@ For possible variables, see the description box below. Box - Box + Паралелепіпед @@ -5263,7 +5263,7 @@ used for the Elmer solver Mesh - Паліганальная сетка + Mesh @@ -6207,7 +6207,7 @@ Please select a result type first. Fem - МКЭ + Fem diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts index 396957dd6111..12adf60a51e5 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ca.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Material @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel Etiqueta de text @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Paràmetre @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3080,16 +3080,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginària @@ -3109,9 +3109,9 @@ with a harmonic/oscillating driving force Part imaginaria del potencial escalar - + x x @@ -3130,9 +3130,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3151,9 +3151,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3203,8 +3203,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3259,30 +3259,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3412,14 +3412,14 @@ Note: for 2D only setting for x is possible, Part imaginaria del component y - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3537,26 +3537,26 @@ Note: for 2D only setting for x is possible, Cancel·la - + - - - + + + A dialog is already open in the task panel A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? Do you want to close this dialog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts index d0c90e79171f..f9bc423a7c72 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_cs.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material Materiál FEM - + Material Materiál @@ -2586,9 +2586,9 @@ Specify another file please. Název materiálu - + TextLabel Textový popisek @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Parametr Centrif - + - + Parameter Parametr @@ -2992,13 +2992,13 @@ Specify another file please. Parametr SectionPrint - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potenciál: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified nespecifikováno @@ -3081,16 +3081,16 @@ s harmonickou/oscilační hnací silou Whether the boundary condition is for the electric force - + Real Skutečnost - + Imaginary Imaginární @@ -3110,9 +3110,9 @@ s harmonickou/oscilační hnací silou Imaginární část skalárního potenciálu - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Poznámka: nemá žádný účinek, pokud bylo vybráno těleso - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Poznámka: nemá žádný účinek, pokud bylo vybráno těleso - + z z @@ -3204,8 +3204,8 @@ Poznámka: nemá žádný účinek, pokud bylo vybráno těleso Parametr průřezu nosníku - + Cross section parameter Parametr průřezu @@ -3260,30 +3260,30 @@ Poznámka: nemá žádný účinek, pokud bylo vybráno těleso Otáčení: - - - + + + formula vzorec - + Velocity x: Rychlost x: - + Velocity y: Rychlost y: - + Velocity z: Rychlost z: @@ -3413,14 +3413,14 @@ Poznámka: pro 2D je možné pouze nastavení pro x, Imaginární část potenciální složky y - + Real part of potential z-component Reálná část potenciální z-složky - + Imaginary part of potential z-component Imaginární část potenciální z-složky @@ -3538,26 +3538,26 @@ Poznámka: pro 2D je možné pouze nastavení pro x, Zrušit - + - - - + + + A dialog is already open in the task panel Dialog je opravdu otevřen v panelu úloh - + - - - + + + Do you want to close this dialog? Chcete zavřít tento dialog? @@ -5289,7 +5289,7 @@ používá se pro řešič Elmer Mesh - Síť + Mesh diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts index bdc3c2e9b7c2..b95db928e448 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_de.ts @@ -1394,7 +1394,7 @@ ein Analysebehälter angelegt wird File does not exist - Datei existiert nicht + Datei nicht gefunden @@ -1614,7 +1614,7 @@ iterativen Löser eingesetzt wird und die Fehlermeldung File does not exist - Datei nicht gefunden + Datei existiert nicht @@ -1964,7 +1964,7 @@ Geben Sie bitte eine andere Datei an. Selected object is not a part! - Ausgewähltes Objekt ist kein Teil! + Ausgewähltes Objekt ist kein Part! @@ -1993,7 +1993,7 @@ Geben Sie bitte eine andere Datei an. Selected object is not a part! - Ausgewähltes Objekt ist kein Part! + Ausgewähltes Objekt ist kein Teilobjekt! @@ -2122,7 +2122,7 @@ Geben Sie bitte eine andere Datei an. Selected object is not a part! - Ausgewähltes Objekt ist kein Teilobjekt! + Ausgewähltes Objekt ist kein Teil! @@ -2543,15 +2543,15 @@ Geben Sie bitte eine andere Datei an. FemMaterial - + FEM material FEM-Material - + Material Material @@ -2576,9 +2576,9 @@ Geben Sie bitte eine andere Datei an. Materialname - + TextLabel TextLabel @@ -2928,17 +2928,17 @@ Geben Sie bitte eine andere Datei an. Anpassen aktivieren + + + - - - 0 mm 0 mm @@ -2948,11 +2948,11 @@ Geben Sie bitte eine andere Datei an. Parameter der zentrifugalen Last - + - + Parameter Parameter @@ -2982,13 +2982,13 @@ Geben Sie bitte eine andere Datei an. Parameter Querschnitts-Auszug - - + + - - + + Analysis feature properties Eigenschaften des Analyseelements @@ -3003,12 +3003,9 @@ Geben Sie bitte eine andere Datei an. Potential: - - - - - - + + + @@ -3021,15 +3018,18 @@ Geben Sie bitte eine andere Datei an. - - - + + + + + + unspecified unbestimmt @@ -3071,16 +3071,16 @@ mit harmonischer/oszillierender Antriebskraft verwendet Gibt an, ob die Randbedingung für die elektrostatische Kraft gilt - + Real Reell - + Imaginary Imaginär @@ -3100,9 +3100,9 @@ mit harmonischer/oszillierender Antriebskraft verwendet Imaginärer Teil des Skalarpotentials - + x x @@ -3121,9 +3121,9 @@ Note: has no effect if a solid was selected Hinweis: hat keinen Effekt, wenn ein Volumen ausgewählt wurde - + y y @@ -3142,9 +3142,9 @@ Note: has no effect if a solid was selected Hinweis: hat keinen Effekt, wenn ein Volumen ausgewählt wurde - + z z @@ -3194,8 +3194,8 @@ Hinweis: hat keinen Effekt, wenn ein Volumen ausgewählt wurde Stabquerschnitt-Parameter - + Cross section parameter Querschnittsparameter @@ -3217,7 +3217,7 @@ Hinweis: hat keinen Effekt, wenn ein Volumen ausgewählt wurde Outer diameter: - Outer diameter: + Außendurchmesser: @@ -3250,30 +3250,30 @@ Hinweis: hat keinen Effekt, wenn ein Volumen ausgewählt wurde Drehung: - - - + + + formula Formel - + Velocity x: Geschwindigkeit x: - + Velocity y: Geschwindigkeit y: - + Velocity z: Geschwindigkeit z: @@ -3315,7 +3315,7 @@ Hinweis: hat keinen Effekt, wenn ein Volumen ausgewählt wurde Label - Beschriftung + Bezeichnung @@ -3403,14 +3403,14 @@ Hinweis: Für 2D ist nur für x möglich, Imaginärer Teil der potenziellen y-Komponente - + Real part of potential z-component Realer Teil der potentiellen z-Komponente - + Imaginary part of potential z-component Imaginärer Teil der potentiellen z-Komponente @@ -3480,7 +3480,7 @@ Hinweis: Für 2D ist nur für x möglich, x - x + х @@ -3528,26 +3528,26 @@ Hinweis: Für 2D ist nur für x möglich, Abbrechen - + - - - + + + A dialog is already open in the task panel Im Aufgabenbereich ist bereits ein Dialog geöffnet - + - - - + + + Do you want to close this dialog? Soll dieser Dialog geschlossen werden? @@ -4200,7 +4200,7 @@ Siehe das nachfolgende Beschreibungsfeld für mögliche Variablen. Location - Lage + Ort @@ -4373,7 +4373,7 @@ zu ermitteln, die durch der Strömung erzeugt wurde Select multiple face(s), click Add or Remove - Fläche(n) auswählen, dann auf Hinzufügen oder Entfernen klicken + Wählen Sie mehrere Flächen, klicken Sie auf Hinzufügen oder Entfernen @@ -4401,7 +4401,7 @@ zu ermitteln, die durch der Strömung erzeugt wurde Select multiple face(s), click Add or Remove - Wählen Sie mehrere Flächen, klicken Sie auf Hinzufügen oder Entfernen + Fläche(n) auswählen, dann auf Hinzufügen oder Entfernen klicken @@ -4548,7 +4548,7 @@ Normalenvektors der Fläche wird als Richtung verwendet Reverse direction - Umgekehrte Richtung + Richtung umkehren @@ -4827,7 +4827,7 @@ used for the Elmer solver x - х + x @@ -4890,7 +4890,7 @@ used for the Elmer solver x - x + х @@ -6153,7 +6153,7 @@ Bitte wählen Sie zuerst einen Ergebnistyp. x - х + x @@ -6168,7 +6168,7 @@ Bitte wählen Sie zuerst einen Ergebnistyp. Center - Mittelpunkt + Zentrum diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts index d6267fb49c2e..2db74b5a1b76 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_el.ts @@ -2549,15 +2549,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Υλικό @@ -2582,9 +2582,9 @@ Specify another file please. Material name - + TextLabel Ετικέτα κειμένου @@ -2934,17 +2934,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2954,11 +2954,11 @@ Specify another file please. Centrif parameter - + - + Parameter Παράμετρος @@ -2988,13 +2988,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3009,12 +3009,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3027,15 +3024,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3077,16 +3077,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3106,9 +3106,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3127,9 +3127,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3148,9 +3148,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3200,8 +3200,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3256,30 +3256,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3409,14 +3409,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3534,26 +3534,26 @@ Note: for 2D only setting for x is possible, Ακύρωση - + - - - + + + A dialog is already open in the task panel A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? Do you want to close this dialog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_es-AR.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_es-AR.ts index e91cb929f0e1..98f29151bea4 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_es-AR.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_es-AR.ts @@ -2552,15 +2552,15 @@ Especifique otro archivo, por favor. FemMaterial - + FEM material Material MEF - + Material Material @@ -2585,9 +2585,9 @@ Especifique otro archivo, por favor. Nombre del Material - + TextLabel EtiquetaTexto @@ -2937,17 +2937,17 @@ Especifique otro archivo, por favor. Enable Adjust + + + - - - 0 mm 0 mm @@ -2957,11 +2957,11 @@ Especifique otro archivo, por favor. Parámetro de Centrífuga - + - + Parameter Parámetro @@ -2991,13 +2991,13 @@ Especifique otro archivo, por favor. Parámetro de Sección de Impresión - - + + - - + + Analysis feature properties Analysis feature properties @@ -3012,12 +3012,9 @@ Especifique otro archivo, por favor. Potential: - - - - - - + + + @@ -3030,15 +3027,18 @@ Especifique otro archivo, por favor. - - - + + + + + + unspecified no especificado @@ -3080,16 +3080,16 @@ con una fuerza de conducción armónica/oscilante Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginario @@ -3109,9 +3109,9 @@ con una fuerza de conducción armónica/oscilante Parte imaginaria del potencial escalar - + x x @@ -3130,9 +3130,9 @@ Note: has no effect if a solid was selected Nota: no tiene efecto si un sólido fue seleccionado - + y y @@ -3151,9 +3151,9 @@ Note: has no effect if a solid was selected Nota: no tiene efecto si un sólido fue seleccionado - + z z @@ -3203,8 +3203,8 @@ Nota: no tiene efecto si un sólido fue seleccionado Parámetro de sección de viga - + Cross section parameter Parámetro de sección cruzada @@ -3226,7 +3226,7 @@ Nota: no tiene efecto si un sólido fue seleccionado Outer diameter: - Outer diameter: + Diámetro externo: @@ -3259,30 +3259,30 @@ Nota: no tiene efecto si un sólido fue seleccionado Rotación: - - - + + + formula fórmula - + Velocity x: Velocidad x: - + Velocity y: Velocidad y: - + Velocity z: Velocidad z: @@ -3412,14 +3412,14 @@ Nota: para 2D solo la configuración para x es posible, Parte imaginaria del potencial componente y - + Real part of potential z-component Parte real del potencial componente z - + Imaginary part of potential z-component Parte imaginaria del potencial componente z @@ -3537,26 +3537,26 @@ Nota: para 2D solo la configuración para x es posible, Cancelar - + - - - + + + A dialog is already open in the task panel Un diálogo ya está abierto en el panel de tareas - + - - - + + + Do you want to close this dialog? ¿Desea cerrar este diálogo? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_es-ES.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_es-ES.ts index 86ddbc5a1244..e610b69a4a86 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_es-ES.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_es-ES.ts @@ -2552,15 +2552,15 @@ Especifique otro archivo, por favor. FemMaterial - + FEM material Material MEF - + Material Material @@ -2585,9 +2585,9 @@ Especifique otro archivo, por favor. Nombre del Material - + TextLabel Etiqueta Texto @@ -2937,17 +2937,17 @@ Especifique otro archivo, por favor. Enable Adjust + + + - - - 0 mm 0 mm @@ -2957,11 +2957,11 @@ Especifique otro archivo, por favor. Parámetro de Centrífuga - + - + Parameter Parámetro @@ -2991,13 +2991,13 @@ Especifique otro archivo, por favor. Parámetro de Sección de Impresión - - + + - - + + Analysis feature properties Analysis feature properties @@ -3012,12 +3012,9 @@ Especifique otro archivo, por favor. Potential: - - - - - - + + + @@ -3030,15 +3027,18 @@ Especifique otro archivo, por favor. - - - + + + + + + unspecified no especificado @@ -3080,16 +3080,16 @@ con una fuerza de conducción armónica/oscilante Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginario @@ -3109,9 +3109,9 @@ con una fuerza de conducción armónica/oscilante Parte imaginaria del potencial escalar - + x x @@ -3130,9 +3130,9 @@ Note: has no effect if a solid was selected Nota: no tiene efecto si un sólido fue seleccionado - + y y @@ -3151,9 +3151,9 @@ Note: has no effect if a solid was selected Nota: no tiene efecto si un sólido fue seleccionado - + z z @@ -3203,8 +3203,8 @@ Nota: no tiene efecto si un sólido fue seleccionado Parámetro de sección de viga - + Cross section parameter Parámetro de sección cruzada @@ -3259,30 +3259,30 @@ Nota: no tiene efecto si un sólido fue seleccionado Rotación: - - - + + + formula fórmula - + Velocity x: Velocidad x: - + Velocity y: Velocidad y: - + Velocity z: Velocidad z: @@ -3412,14 +3412,14 @@ Nota: para 2D solo la configuración para x es posible, Parte imaginaria del potencial componente y - + Real part of potential z-component Parte real del potencial componente z - + Imaginary part of potential z-component Parte imaginaria del potencial componente z @@ -3537,26 +3537,26 @@ Nota: para 2D solo la configuración para x es posible, Cancelar - + - - - + + + A dialog is already open in the task panel Un diálogo ya está abierto en el panel de tareas - + - - - + + + Do you want to close this dialog? ¿Desea cerrar este diálogo? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts index fbbdbea7c846..f217a3425a7a 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_eu.ts @@ -2554,15 +2554,15 @@ Zehaztu beste fitxategi bat. FemMaterial - + FEM material FEM materiala - + Material Materiala @@ -2587,9 +2587,9 @@ Zehaztu beste fitxategi bat. Materialaren izena - + TextLabel Testu-etiketa @@ -2939,17 +2939,17 @@ Zehaztu beste fitxategi bat. Enable Adjust + + + - - - 0 mm 0 mm @@ -2959,11 +2959,11 @@ Zehaztu beste fitxategi bat. Zentrifugazio-parametroa - + - + Parameter Parametroa @@ -2993,13 +2993,13 @@ Zehaztu beste fitxategi bat. Sekzio-inprimatzearen parametroa - - + + - - + + Analysis feature properties Analisi-elementuaren propietateak @@ -3014,12 +3014,9 @@ Zehaztu beste fitxategi bat. Potentziala: - - - - - - + + + @@ -3032,15 +3029,18 @@ Zehaztu beste fitxategi bat. - - - + + + + + + unspecified zehaztu gabea @@ -3082,16 +3082,16 @@ duten ekuazioetan soilik erabiltzen da Muga-baldintza indar elektrikorako den ala ez - + Real Erreala - + Imaginary Irudikaria @@ -3111,9 +3111,9 @@ duten ekuazioetan soilik erabiltzen da Potentzial eskalar baten zati irudikaria - + x x @@ -3132,9 +3132,9 @@ Note: has no effect if a solid was selected Oharra: ez du eraginik solido bat hautatu bada - + y y @@ -3153,9 +3153,9 @@ Note: has no effect if a solid was selected Oharra: ez du eraginik solido bat hautatu bada - + z z @@ -3205,8 +3205,8 @@ Oharra: ez du eraginik solido bat hautatu bada Habe-sekzioaren parametroa - + Cross section parameter Zeharkako sekzioaren parametroa @@ -3261,30 +3261,30 @@ Oharra: ez du eraginik solido bat hautatu bada Biraketa: - - - + + + formula formula - + Velocity x: X abiadura: - + Velocity y: Y abiadura: - + Velocity z: Z abiadura: @@ -3414,14 +3414,14 @@ Oharra: 2D kasuetan soilik, X-en ezarpena posible da, Potentzialaren Y osagaiaren zati irudikaria - + Real part of potential z-component Potentzialaren Z osagaiaren zati erreala - + Imaginary part of potential z-component Potentzialaren Z osagaiaren zati irudikaria @@ -3539,26 +3539,26 @@ Oharra: 2D kasuetan soilik, X-en ezarpena posible da, Utzi - + - - - + + + A dialog is already open in the task panel Elkarrizketa-koadro bat irekita dago ataza-panelean - + - - - + + + Do you want to close this dialog? Koadro hori itxi nahi duzu? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts index c270dedff006..abc50563048a 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_fi.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Materiaali @@ -2586,9 +2586,9 @@ Specify another file please. Materiaalin nimi - + TextLabel TekstiSelite @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parametri @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Peruuta - + - - - + + + A dialog is already open in the task panel Valintaikkuna on jo avoinna tehtäväpaneelissa - + - - - + + + Do you want to close this dialog? Haluatko sulkea tämän valintaikkunan? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts index d258fc9c4634..1828d9af6f15 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_fr.ts @@ -1957,13 +1957,13 @@ Spécifier un autre fichier. Nothing selected! - Aucune sélection ! + Rien n'a été sélectionné ! Selected object is not a part! - L'objet sélectionné n'est pas un élément ! + L'objet sélectionné n'est pas une pièce ! @@ -2161,7 +2161,7 @@ Spécifier un autre fichier. Wrong selection - Sélection invalide + Sélection incorrecte @@ -2353,13 +2353,13 @@ Spécifier un autre fichier. Nothing selected! - Rien n'a été sélectionné ! + Aucune sélection ! Selected object is not a part! - L'objet sélectionné n'est pas une pièce ! + L'objet sélectionné n'est pas un élément ! @@ -2542,15 +2542,15 @@ Spécifier un autre fichier. FemMaterial - + FEM material Matériau FEM - + Material Matériau @@ -2575,9 +2575,9 @@ Spécifier un autre fichier. Nom du matériau - + TextLabel Étiquette du texte @@ -2927,17 +2927,17 @@ Spécifier un autre fichier. Activer l'ajustement + + + - - - 0 mm 0 mm @@ -2947,11 +2947,11 @@ Spécifier un autre fichier. Paramètre de centrifugation - + - + Parameter Paramètre @@ -2981,13 +2981,13 @@ Spécifier un autre fichier. Paramètre d'affichage de la section - - + + - - + + Analysis feature properties Propriétés de la fonction d'analyse @@ -3002,12 +3002,9 @@ Spécifier un autre fichier. Potentiel : - - - - - - + + + @@ -3020,15 +3017,18 @@ Spécifier un autre fichier. - - - + + + + + + unspecified non spécifié @@ -3070,16 +3070,16 @@ avec une force motrice harmonique ou oscillante Si la condition aux limites est pour la force électrique - + Real Réel - + Imaginary Imaginaire @@ -3099,9 +3099,9 @@ avec une force motrice harmonique ou oscillante Partie imaginaire du potentiel scalaire - + x X @@ -3120,9 +3120,9 @@ Note: has no effect if a solid was selected Remarque : n'a pas d'effet si un solide a été sélectionné - + y Y @@ -3141,9 +3141,9 @@ Note: has no effect if a solid was selected Remarque : n'a pas d'effet si un solide a été sélectionné - + z Z @@ -3193,8 +3193,8 @@ Remarque : n'a pas d'effet si un solide a été sélectionné Paramètre de la section de l'élément 1D - + Cross section parameter Paramètre de section de passage @@ -3216,7 +3216,7 @@ Remarque : n'a pas d'effet si un solide a été sélectionné Outer diameter: - Outer diameter: + Diamètre extérieur : @@ -3249,30 +3249,30 @@ Remarque : n'a pas d'effet si un solide a été sélectionné Rotation : - - - + + + formula formule - + Velocity x: Vitesse x : - + Velocity y: Vitesse y: - + Velocity z: Vitesse z: @@ -3399,14 +3399,14 @@ Remarque : pour la 2D, seul le réglage en X est possible, le réglage en Y sera Partie imaginaire de la composante en Y du potentiel - + Real part of potential z-component Partie réelle de la composante en Z du potentiel - + Imaginary part of potential z-component Partie imaginaire de la composante en Z du potentiel @@ -3476,19 +3476,19 @@ Remarque : pour la 2D, seul le réglage en X est possible, le réglage en Y sera x - X + x y - Y + y z - Z + z @@ -3524,26 +3524,26 @@ Remarque : pour la 2D, seul le réglage en X est possible, le réglage en Y sera Annuler - + - - - + + + A dialog is already open in the task panel Une fenêtre de dialogue est déjà ouverte dans le panneau des tâches - + - - - + + + Do you want to close this dialog? Voulez-vous fermer cette fenêtre de dialogue? @@ -3699,7 +3699,7 @@ Remarque : pour la 2D, seul le réglage en X est possible, le réglage en Y sera None - Rien + Aucun @@ -6142,22 +6142,22 @@ Veuillez d'abord sélectionner un type de résultat. x - x + X y - y + Y z - z + Z Center - Au centre + Centre diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_gl.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_gl.ts index 1090d89edbb8..956a0c1ff05c 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_gl.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_gl.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material Material FEM - + Material Material @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel TextLabel @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parámetro @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotación: - - - + + + formula formula - + Velocity x: Velocidade x: - + Velocity y: Velocidade y: - + Velocity z: Velocidade z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Cancelar - + - - - + + + A dialog is already open in the task panel A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? Do you want to close this dialog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts index e078d5cfcbec..cec2f2d8d3ff 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_hr.ts @@ -2557,15 +2557,15 @@ Navedi drugu datoteku molim. FemMaterial - + FEM material FEM material - + Material Materijal @@ -2590,9 +2590,9 @@ Navedi drugu datoteku molim. Ime materijala - + TextLabel Tekst oznaka @@ -2943,17 +2943,17 @@ Navedi drugu datoteku molim. Enable Adjust + + + - - - 0 mm 0 mm @@ -2963,11 +2963,11 @@ Navedi drugu datoteku molim. Centrifugalni parametar - + - + Parameter Parametar @@ -2997,13 +2997,13 @@ Navedi drugu datoteku molim. Parametri ispisa presjeka - - + + - - + + Analysis feature properties Svojstva obilježja analize @@ -3018,12 +3018,9 @@ Navedi drugu datoteku molim. Potencijal: - - - - - - + + + @@ -3036,15 +3033,18 @@ Navedi drugu datoteku molim. - - - + + + + + + unspecified neodređen @@ -3086,16 +3086,16 @@ s harmoničnim/oscilirajućim pogonskim silom. Pokazuje da li se primjenjuje ograničenje za elektrostatičku silu - + Real Realno - + Imaginary Imaginarno @@ -3115,9 +3115,9 @@ s harmoničnim/oscilirajućim pogonskim silom. Imaginarni dio skalarnog potencijala - + x x @@ -3136,9 +3136,9 @@ Note: has no effect if a solid was selected Napomena: nema utjecaja ako je odabrano volumensko tijelo - + y y @@ -3157,9 +3157,9 @@ Note: has no effect if a solid was selected Napomena: nema utjecaja ako je odabrano volumensko tijelo - + z z @@ -3209,8 +3209,8 @@ Napomena: nema utjecaja ako je odabrano volumensko tijelo Parametri presjeka grede - + Cross section parameter Parametar poprečnog presjeka @@ -3267,30 +3267,30 @@ Napomena: nema utjecaja ako je odabrano volumensko tijelo Rotacija: - - - + + + formula formula - + Velocity x: Protok x: - + Velocity y: Protok y: - + Velocity z: Protok z: @@ -3420,14 +3420,14 @@ Napomena: u 2D je moguće samo podešavanje za x Imaginarni dio potencijala y-komponente - + Real part of potential z-component Realni dio potencijala z-komponente - + Imaginary part of potential z-component Imaginarni dio potencijala z-komponente @@ -3545,26 +3545,26 @@ Napomena: u 2D je moguće samo podešavanje za x Otkazati - + - - - + + + A dialog is already open in the task panel Dijalog je već otvoren u ploči zadataka - + - - - + + + Do you want to close this dialog? Želite li zatvoriti ovaj dijalog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts index 0388f0bc06b6..5750b4e67242 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_hu.ts @@ -24,7 +24,7 @@ Fem - Végeselemes analízis FEM + Végeselemes analízis Vem @@ -60,7 +60,7 @@ Fem - Végeselemes analízis Vem + Vem @@ -78,7 +78,7 @@ Fem - Vem + Végeselemes analízis Vem @@ -114,7 +114,7 @@ Fem - Végeselemes analízis Vem + Vem @@ -341,7 +341,7 @@ Fem - Vem + Végeselemes analízis Vem @@ -369,7 +369,7 @@ Fem - Végeselemes analízis Vem + Vem @@ -423,7 +423,7 @@ Fem - Vem + Végeselemes analízis Vem @@ -497,7 +497,7 @@ Fem - Végeselemes analízis Vem + Vem @@ -573,7 +573,7 @@ Fem - Vem + Végeselemes analízis FEM @@ -1649,7 +1649,7 @@ Kérjük, adjon meg egy másik fájlt. Nodes set - Csomópontok beállítása + Csomópontok beálítása @@ -1657,7 +1657,7 @@ Kérjük, adjon meg egy másik fájlt. Nodes set - Csomópontok beálítása + Csomópontok beállítása @@ -2543,15 +2543,15 @@ Kérjük, adjon meg egy másik fájlt. FemMaterial - + FEM material VEM anyag - + Material Anyag @@ -2576,9 +2576,9 @@ Kérjük, adjon meg egy másik fájlt. Anyag neve - + TextLabel Szövegfelirat @@ -2928,17 +2928,17 @@ Kérjük, adjon meg egy másik fájlt. Igazítás engedélyezése + + + - - - 0 mm 0 mm @@ -2948,11 +2948,11 @@ Kérjük, adjon meg egy másik fájlt. Centrifugális paraméter - + - + Parameter Paraméter @@ -2982,13 +2982,13 @@ Kérjük, adjon meg egy másik fájlt. Keresztmetszeti elválasztó paraméter - - + + - - + + Analysis feature properties Elemzési funkció tulajdonságai @@ -3003,12 +3003,9 @@ Kérjük, adjon meg egy másik fájlt. Feszültség: - - - - - - + + + @@ -3021,15 +3018,18 @@ Kérjük, adjon meg egy másik fájlt. - - - + + + + + + unspecified határozatlan @@ -3071,16 +3071,16 @@ harmonikus/rezgő hajtóerővel rendelkező egyenletek esetén A peremfeltétel az elektromos erőre vonatkozik-e - + Real Valós - + Imaginary Elképzelt @@ -3100,9 +3100,9 @@ harmonikus/rezgő hajtóerővel rendelkező egyenletek esetén A skalárpotenciál képzetes része - + x x @@ -3121,9 +3121,9 @@ Note: has no effect if a solid was selected Megjegyzés: nincs hatása, ha szilárdtestet választottunk ki - + y y @@ -3142,9 +3142,9 @@ Note: has no effect if a solid was selected Megjegyzés: nincs hatása, ha szilárdtestet választottunk ki - + z z @@ -3194,8 +3194,8 @@ Megjegyzés: nincs hatása, ha szilárdtestet választottunk ki Gerendaszakasz paraméter - + Cross section parameter Keresztmetszeti paraméter @@ -3217,7 +3217,7 @@ Megjegyzés: nincs hatása, ha szilárdtestet választottunk ki Outer diameter: - Outer diameter: + Külső átmérő: @@ -3250,30 +3250,30 @@ Megjegyzés: nincs hatása, ha szilárdtestet választottunk ki Forgás: - - - + + + formula képlet - + Velocity x: Sebesség x: - + Velocity y: Sebesség y: - + Velocity z: Sebesség z: @@ -3403,14 +3403,14 @@ Megjegyzés: 2D esetén csak az x beállítása lehetséges, A potenciális y-komponens képzetes része - + Real part of potential z-component A potenciális z-komponens valós része - + Imaginary part of potential z-component A potenciális z-komponens képzetes része @@ -3528,26 +3528,26 @@ Megjegyzés: 2D esetén csak az x beállítása lehetséges, Mégse - + - - - + + + A dialog is already open in the task panel Egy párbeszédablak már nyitva van a feladat panelen - + - - - + + + Do you want to close this dialog? Szeretné bezárni a párbeszédpanelt? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_id.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_id.ts index 7f1b8ef517e4..4419615a2975 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_id.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_id.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Bahan @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel TextLabel @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parameter @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Membatalkan - + - - - + + + A dialog is already open in the task panel A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? Do you want to close this dialog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts index 4f6b3bcbf416..984a887b44da 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_it.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material Materiale FEM - + Material Materiale @@ -2586,9 +2586,9 @@ Specify another file please. Nome del materiale - + TextLabel Etichetta Testo @@ -2938,17 +2938,17 @@ Specify another file please. Abilita aggiustamento + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parametro @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified non specificato @@ -3081,16 +3081,16 @@ con una forza motrice armonica/oscillante Whether the boundary condition is for the electric force - + Real Reale - + Imaginary Immaginario @@ -3110,9 +3110,9 @@ con una forza motrice armonica/oscillante Parte immaginaria del potenziale scalare - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Nota: non ha effetto se è stato selezionato un solido - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Nota: non ha effetto se è stato selezionato un solido - + z z @@ -3204,8 +3204,8 @@ Nota: non ha effetto se è stato selezionato un solido Parametro sezione trave - + Cross section parameter Parametro sezione trasversale @@ -3227,7 +3227,7 @@ Nota: non ha effetto se è stato selezionato un solido Outer diameter: - Outer diameter: + Diametro esterno: @@ -3260,30 +3260,30 @@ Nota: non ha effetto se è stato selezionato un solido Rotazione: - - - + + + formula formula - + Velocity x: Velocità x: - + Velocity y: Velocità y: - + Velocity z: Velocità z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Annulla - + - - - + + + A dialog is already open in the task panel Nel pannello azioni c'è già una finestra di dialogo aperta - + - - - + + + Do you want to close this dialog? Vuoi chiudere questa finestra di dialogo? @@ -5015,7 +5015,7 @@ used for the Elmer solver Outline - Contorno + Outline @@ -5971,7 +5971,7 @@ used for the Elmer solver Max Principal Stress - Sollecitazione principale massima + Max Principal Stress @@ -5981,7 +5981,7 @@ used for the Elmer solver Mass Flow Rate - Flusso Di Massa + Mass Flow Rate @@ -5991,7 +5991,7 @@ used for the Elmer solver Min Principal Stress - Sollecitazione principale minima + Min Principal Stress @@ -6058,7 +6058,7 @@ Per favore seleziona prima un tipo di risultato. Electromagnetic boundary conditions - Condizioni elettromagnetiche al contorno + Electromagnetic boundary conditions diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts index e2123ca1ced6..e276b25e1865 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ja.ts @@ -2541,15 +2541,15 @@ Specify another file please. FemMaterial - + FEM material FEM 材料 - + Material マテリアル @@ -2574,9 +2574,9 @@ Specify another file please. 材料名 - + TextLabel テキストラベル @@ -2926,17 +2926,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2946,11 +2946,11 @@ Specify another file please. 遠心荷重パラメーター - + - + Parameter パラメーター @@ -2980,13 +2980,13 @@ Specify another file please. 断面表示パラメーター - - + + - - + + Analysis feature properties Analysis feature properties @@ -3001,12 +3001,9 @@ Specify another file please. ポテンシャル: - - - - - - + + + @@ -3019,15 +3016,18 @@ Specify another file please. - - - + + + + + + unspecified 未指定 @@ -3068,16 +3068,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real 実部 - + Imaginary 虚部 @@ -3097,9 +3097,9 @@ with a harmonic/oscillating driving force スカラーポテンシャルの虚部 - + x x @@ -3118,9 +3118,9 @@ Note: has no effect if a solid was selected 注意: ソリッドが選択されている場合は無効 - + y y @@ -3139,9 +3139,9 @@ Note: has no effect if a solid was selected 注意: ソリッドが選択されている場合は無効 - + z z @@ -3191,8 +3191,8 @@ Note: has no effect if a solid was selected ビームセクションパラメーター - + Cross section parameter 断面パラメーター @@ -3247,30 +3247,30 @@ Note: has no effect if a solid was selected 回転: - - - + + + formula - + Velocity x: 速度 x: - + Velocity y: 速度 y: - + Velocity z: 速度 z: @@ -3394,14 +3394,14 @@ Note: for 2D only setting for x is possible, ポテンシャル y 成分の虚部 - + Real part of potential z-component ポテンシャル z 成分の実部 - + Imaginary part of potential z-component ポテンシャル z 成分の虚部 @@ -3437,7 +3437,7 @@ Note: for 2D only setting for x is possible, 0 mm - 0 mm + 0 mm @@ -3519,26 +3519,26 @@ Note: for 2D only setting for x is possible, キャンセル - + - - - + + + A dialog is already open in the task panel タスクパネルで既にダイアログが開かれています - + - - - + + + Do you want to close this dialog? このダイアログを閉じますか? @@ -5264,7 +5264,7 @@ used for the Elmer solver Mesh - メッシュ + Mesh diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts index d64c8277d976..93f14fce6d80 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ka.ts @@ -24,7 +24,7 @@ Fem - Fem + სემ @@ -1064,7 +1064,7 @@ Specify another file please. Search in known binary directories - გამშვები ფაილების ცნობილ საქაღალდეებში ძებნა + ცნობილ ბინარულ საქაღალდეებში ძებნა @@ -1535,7 +1535,7 @@ Specify another file please. Search in known binary directories - ცნობილ ბინარულ საქაღალდეებში ძებნა + გამშვები ფაილების ცნობილ საქაღალდეებში ძებნა @@ -1801,7 +1801,7 @@ Specify another file please. Input error - შეყვანის შეცდომა + Input error @@ -1895,7 +1895,7 @@ Specify another file please. Selection error - მონიშვნის შეცდომა + მონიშნულის შეცდომა @@ -2166,7 +2166,7 @@ Specify another file please. Wrong selection - არასწორი არჩევანი + არასწორი მონიშნული @@ -2391,7 +2391,7 @@ Specify another file please. Selection error - მონიშნულის შეცდომა + მონიშვნის შეცდომა @@ -2547,15 +2547,15 @@ Specify another file please. FemMaterial - + FEM material სემის მასალა - + Material მასალა @@ -2580,9 +2580,9 @@ Specify another file please. მასალის სახელი - + TextLabel ტექსტური ჭდე @@ -2932,17 +2932,17 @@ Specify another file please. შერჩევის ჩართვა + + + - - - 0 mm 0 მმ @@ -2952,11 +2952,11 @@ Specify another file please. ცენტრიფუგის პარამეტრი - + - + Parameter პარამეტრი @@ -2986,13 +2986,13 @@ Specify another file please. განივი კვეთის პარამეტრი - - + + - - + + Analysis feature properties ანალიზის თვისების მორგება @@ -3007,12 +3007,9 @@ Specify another file please. პოტენციალი: - - - - - - + + + @@ -3025,15 +3022,18 @@ Specify another file please. - - - + + + + + + unspecified არ არის მითითებული @@ -3075,16 +3075,16 @@ with a harmonic/oscillating driving force არის თუ არა სასაზღვრე პირობა ელექტრული ძალისთვის - + Real რეალური - + Imaginary წარმოსახვითი @@ -3104,9 +3104,9 @@ with a harmonic/oscillating driving force სკალარული პოტენციალის წარმოსახვითი ნაწილი - + x x @@ -3125,9 +3125,9 @@ Note: has no effect if a solid was selected შენიშვნა: ეფექტი არ გააჩნია, თუ მონიშნული მყარია - + y y @@ -3146,9 +3146,9 @@ Note: has no effect if a solid was selected შენიშვნა: ეფექტი არ გააჩნია, თუ მონიშნული მყარია - + z z @@ -3198,8 +3198,8 @@ Note: has no effect if a solid was selected კოჭის სექციის პარამეტრი - + Cross section parameter განივი გადანაჭერის პარამეტრი @@ -3221,7 +3221,7 @@ Note: has no effect if a solid was selected Outer diameter: - Outer diameter: + გარე დიამეტრი: @@ -3254,30 +3254,30 @@ Note: has no effect if a solid was selected ბრუნვა: - - - + + + formula ფორმულა - + Velocity x: აჩქარება X: - + Velocity y: აჩქარება Y: - + Velocity z: აჩქარება Z: @@ -3407,14 +3407,14 @@ Note: for 2D only setting for x is possible, Y-კომპონენტის პოტენციალის წარმოდგენითი ნაწილი - + Real part of potential z-component Z-კომპონენტის პოტენციალის რეალური ნაწილი - + Imaginary part of potential z-component Z-კომპონენტის პოტენციალის წარმოდგენითი ნაწილი @@ -3532,26 +3532,26 @@ Note: for 2D only setting for x is possible, გაუქმება - + - - - + + + A dialog is already open in the task panel ფანჯარა უკვე ღიაა ამოცანების პანელზე - + - - - + + + Do you want to close this dialog? ნამდვილად გსურთ ამ ფანჯრის დახურვა? @@ -4068,7 +4068,7 @@ For possible variables, see the description box below. Box - Box + ყუთი @@ -4377,7 +4377,7 @@ generated by the flow Select multiple face(s), click Add or Remove - აირჩიეთ ერთზე მეტი ზედაპირი. დააწკაპუნეთ დამატებას ან წაშლას + მონიშნეთ ზედაპირ(ებ)-ი და დააწკაპუნეთ დამატებაზე ან წაშლაზე @@ -4676,7 +4676,7 @@ normal vector of the face is used as direction Select multiple face(s), click Add or Remove - მონიშნეთ ზედაპირ(ებ)-ი და დააწკაპუნეთ დამატებაზე ან წაშლაზე + აირჩიეთ ერთზე მეტი ზედაპირი. დააწკაპუნეთ დამატებას ან წაშლას @@ -5281,7 +5281,7 @@ used for the Elmer solver Mesh - ბადე + Mesh @@ -5866,7 +5866,7 @@ used for the Elmer solver Remove - წაშლა + მოცილება @@ -6229,7 +6229,7 @@ Please select a result type first. Fem - სემ + Fem diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts index 8db7212ba42f..8e10e27018a1 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ko.ts @@ -24,7 +24,7 @@ Fem - Fem + 유한요소 방법 @@ -42,7 +42,7 @@ Fem - 유한요소 방법 + 유한 요소 방법 @@ -78,7 +78,7 @@ Fem - 유한 요소 방법 + 유한요소 방법 @@ -96,7 +96,7 @@ Fem - 유한요소 방법 + 유한 요소 방법 @@ -132,7 +132,7 @@ Fem - 유한 요소 방법 + 유한요소 방법 @@ -150,7 +150,7 @@ Fem - 유한요소 방법 + Fem @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material 재료 @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel 텍스트 라벨 @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter 매개 변수 @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected 회전: - - - + + + formula 수식 - + Velocity x: X 축 방향 속도 - + Velocity y: Y 축 방향 속도 - + Velocity z: Z 축 방향 속도 @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, 취소하기 - + - - - + + + A dialog is already open in the task panel 테스크 패널에 이미 다이얼로그가 열려있습니다. - + - - - + + + Do you want to close this dialog? 다이얼로그를 닫으시겠습니까? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts index ae41f92e02fc..0368ce5596cb 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_nl.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM materiaal - + Material Materiaal @@ -2586,9 +2586,9 @@ Specify another file please. Materiaalnaam - + TextLabel Tekstbenaming @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parameter @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potentieel: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified ongespecificeerd @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Echt - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3227,7 +3227,7 @@ Note: has no effect if a solid was selected Outer diameter: - Outer diameter: + Buitenste diameter: @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotatie: - - - + + + formula formule - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Annuleren - + - - - + + + A dialog is already open in the task panel Een dialoog is al geopend in het taakvenster - + - - - + + + Do you want to close this dialog? Wilt u dit dialoogvenster sluiten? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts index 06a526faecae..17933447f21b 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_pl.ts @@ -513,7 +513,7 @@ Wrong selection - Nieprawidłowy wybór + Niewłaściwy wybór @@ -1652,7 +1652,7 @@ Proszę, wybierz inny. Nodes set - Zbiór węzłów + Zestaw węzłów @@ -1808,7 +1808,7 @@ Proszę, wybierz inny. Nodes set - Zestaw węzłów + Zbiór węzłów @@ -1933,7 +1933,7 @@ Proszę, wybierz inny. Only faces can be picked - Można wybrać tylko powierzchnie + Można wybrać tylko ściany @@ -1955,7 +1955,7 @@ Proszę, wybierz inny. Selection error - Błąd zaznaczenia + Błąd wyboru @@ -2165,7 +2165,7 @@ Proszę, wybierz inny. Wrong selection - Niewłaściwy wybór + Nieprawidłowy wybór @@ -2180,12 +2180,12 @@ Proszę, wybierz inny. Selection error - Błąd wyboru + Błąd w zaznaczeniu Only planar faces can be picked - Mogą być użyte tylko powierzchnie płaskie + Wybrać można tylko płaskie ściany @@ -2208,7 +2208,7 @@ Proszę, wybierz inny. Selection error - Błąd w zaznaczeniu + Błąd wyboru @@ -2269,7 +2269,7 @@ Proszę, wybierz inny. Only planar faces can be picked - Wybrać można tylko płaskie ściany + Mogą być użyte tylko powierzchnie płaskie @@ -2390,7 +2390,7 @@ Proszę, wybierz inny. Selection error - Błąd wyboru + Błąd zaznaczenia @@ -2423,7 +2423,7 @@ Proszę, wybierz inny. Only faces can be picked - Można wybrać tylko ściany + Można wybrać tylko powierzchnie @@ -2546,15 +2546,15 @@ Proszę, wybierz inny. FemMaterial - + FEM material Materiał MES - + Material Materiał @@ -2579,9 +2579,9 @@ Proszę, wybierz inny. Nazwa materiału - + TextLabel Etykieta tekstu @@ -2931,17 +2931,17 @@ Proszę, wybierz inny. Włącz regulację + + + - - - 0 mm 0 mm @@ -2951,11 +2951,11 @@ Proszę, wybierz inny. Parametr obrotu - + - + Parameter Parametr @@ -2985,13 +2985,13 @@ Proszę, wybierz inny. Parametr wyników z przekroju - - + + - - + + Analysis feature properties Właściwości cech analizy @@ -3006,12 +3006,9 @@ Proszę, wybierz inny. Potencjał: - - - - - - + + + @@ -3024,15 +3021,18 @@ Proszę, wybierz inny. - - - + + + + + + unspecified nieokreślony @@ -3074,16 +3074,16 @@ z harmoniczną / oscylującą siłą napędzającą Czy warunek brzegowy dotyczy siły elektrycznej - + Real Rzeczywisty - + Imaginary Urojony @@ -3103,9 +3103,9 @@ z harmoniczną / oscylującą siłą napędzającą Urojona część potencjału skalarnego - + x x @@ -3124,9 +3124,9 @@ Note: has no effect if a solid was selected Uwaga: bez efektu, jeśli wybrano bryłę - + y y @@ -3145,9 +3145,9 @@ Note: has no effect if a solid was selected Uwaga: bez efektu, jeśli wybrano bryłę - + z z @@ -3197,8 +3197,8 @@ Uwaga: bez efektu, jeśli wybrano bryłę Parametr sekcji belki - + Cross section parameter Parametr przekroju poprzecznego @@ -3220,7 +3220,7 @@ Uwaga: bez efektu, jeśli wybrano bryłę Outer diameter: - Outer diameter: + Średnica zewnętrzna: @@ -3253,30 +3253,30 @@ Uwaga: bez efektu, jeśli wybrano bryłę Obrót: - - - + + + formula wzór - + Velocity x: Prędkość x: - + Velocity y: Prędkość y: - + Velocity z: Prędkość z: @@ -3406,14 +3406,14 @@ Uwaga: w 2D tylko ustawienie dla x jest możliwe, Urojona część składowej y potencjału - + Real part of potential z-component Rzeczywista część składowej z potencjału - + Imaginary part of potential z-component Urojona część składowej z potencjału @@ -3531,26 +3531,26 @@ Uwaga: w 2D tylko ustawienie dla x jest możliwe, Anuluj - + - - - + + + A dialog is already open in the task panel Okienko dialogowe jest już otwarte w panelu zadań - + - - - + + + Do you want to close this dialog? Czy chcesz zamknąć to okno? @@ -4203,7 +4203,7 @@ Aby uzyskać możliwe zmienne, zobacz pole opisu poniżej. Location - Umiejscowienie + Położenie @@ -4376,7 +4376,7 @@ generowanej przez przepływ Select multiple face(s), click Add or Remove - Wybierz kilka ścian, kliknij przycisk Dodaj lub Usuń + Wybierz wiele ścian, kliknij przycisk Dodaj lub Usuń @@ -4675,7 +4675,7 @@ normal vector of the face is used as direction Select multiple face(s), click Add or Remove - Wybierz wiele ścian, kliknij przycisk Dodaj lub Usuń + Wybierz kilka ścian, kliknij przycisk Dodaj lub Usuń @@ -5826,7 +5826,7 @@ sprężystość (naprężenia) Edit - Edytuj + Edycja @@ -6170,7 +6170,7 @@ deformacji (sprężystość nieliniowa) Center - Wyśrodkowane + Środek diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_pt-BR.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_pt-BR.ts index f127666d1cff..e1a5f1fd3266 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_pt-BR.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_pt-BR.ts @@ -2551,15 +2551,15 @@ Specify another file please. FemMaterial - + FEM material Material FEM - + Material Material @@ -2584,9 +2584,9 @@ Specify another file please. Nome do material - + TextLabel Rótulo de texto @@ -2936,17 +2936,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2956,11 +2956,11 @@ Specify another file please. Parâmetro de centrífuga - + - + Parameter Parâmetro @@ -2990,13 +2990,13 @@ Specify another file please. Parâmetros de impressão de seções - - + + - - + + Analysis feature properties Analysis feature properties @@ -3011,12 +3011,9 @@ Specify another file please. Potencial: - - - - - - + + + @@ -3029,15 +3026,18 @@ Specify another file please. - - - + + + + + + unspecified não especificado @@ -3079,16 +3079,16 @@ com forças atuantes harmônicas/oscilantes Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginário @@ -3108,9 +3108,9 @@ com forças atuantes harmônicas/oscilantes Parte imaginária de potencial escalar - + x x @@ -3129,9 +3129,9 @@ Note: has no effect if a solid was selected Nota: não surge efeito se um sólido foi selecionado - + y y @@ -3150,9 +3150,9 @@ Note: has no effect if a solid was selected Nota: não surge efeito se um sólido foi selecionado - + z z @@ -3202,8 +3202,8 @@ Nota: não surge efeito se um sólido foi selecionado Parâmetro da seção da viga - + Cross section parameter Cross section parameter @@ -3258,30 +3258,30 @@ Nota: não surge efeito se um sólido foi selecionado Rotação: - - - + + + formula fórmula - + Velocity x: Velocidade x: - + Velocity y: Velocidade y: - + Velocity z: Velocidade z: @@ -3411,14 +3411,14 @@ Nota: para configuração apenas 2D para x é possível, Parte imaginária de componente-y potencial - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Parte imaginária de componente-z potencial @@ -3536,26 +3536,26 @@ Nota: para configuração apenas 2D para x é possível, Cancelar - + - - - + + + A dialog is already open in the task panel Uma caixa de diálogo já está aberta no painel de tarefas - + - - - + + + Do you want to close this dialog? Deseja fechar este diálogo? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_pt-PT.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_pt-PT.ts index 02da6a22eda9..51b055a655ba 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_pt-PT.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_pt-PT.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Material @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel Rótulo de texto @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parâmetro @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Cancelar - + - - - + + + A dialog is already open in the task panel Já está aberta uma janela no painel de tarefas - + - - - + + + Do you want to close this dialog? Deseja fechar esta janela? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts index bb18106cdc03..82b9a1ae79ca 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ro.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Materialul @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel TextLabel @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parametru @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Renunţă - + - - - + + + A dialog is already open in the task panel O fereastră de dialog este deja deschisă în fereastra de sarcini - + - - - + + + Do you want to close this dialog? Doriţi să închideţi această fereastră de dialog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts index 7ec0cf16a240..8f4bca586f53 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_ru.ts @@ -24,7 +24,7 @@ Fem - МКЭ (метод конечных элементов) + Мкэ (метод конечных элементов) @@ -42,7 +42,7 @@ Fem - Мкэ (метод конечных элементов) + МКЭ (метод конечных элементов) @@ -497,7 +497,7 @@ Fem - МКЭ (метод конечных элементов) + Мкэ (метод конечных элементов) @@ -513,7 +513,7 @@ Wrong selection - Неправильный выбор + Неправильное выделение @@ -2077,7 +2077,7 @@ Specify another file please. Wrong selection - Неправильное выделение + Неправильный выбор @@ -2163,7 +2163,7 @@ Specify another file please. Wrong selection - Неправильный выбор + Неправильное выделение @@ -2544,15 +2544,15 @@ Specify another file please. FemMaterial - + FEM material Материал МКЭ - + Material Материал @@ -2577,9 +2577,9 @@ Specify another file please. Название материала - + TextLabel Текстовая надпись @@ -2929,17 +2929,17 @@ Specify another file please. Включить регулировку + + + - - - 0 mm 0 мм @@ -2949,11 +2949,11 @@ Specify another file please. Параметр Центрифугирования - + - + Parameter Параметр @@ -2983,13 +2983,13 @@ Specify another file please. Параметр SectionPrint - - + + - - + + Analysis feature properties Свойства объекта анализа @@ -3004,12 +3004,9 @@ Specify another file please. Потенциал: - - - - - - + + + @@ -3022,15 +3019,18 @@ Specify another file please. - - - + + + + + + unspecified не указана @@ -3072,16 +3072,16 @@ with a harmonic/oscillating driving force Является ли граничное условие для электрической силы - + Real Действительная часть - + Imaginary Мнимая часть @@ -3101,9 +3101,9 @@ with a harmonic/oscillating driving force Мнимая часть скалярного потенциала - + x x @@ -3122,9 +3122,9 @@ Note: has no effect if a solid was selected Примечание: не влияет если выбрано твердое тело - + y у @@ -3143,9 +3143,9 @@ Note: has no effect if a solid was selected Примечание: не влияет если выбрано твердое тело - + z z @@ -3195,8 +3195,8 @@ Note: has no effect if a solid was selected Параметр секции балки - + Cross section parameter Поперечный параметр сечения @@ -3218,7 +3218,7 @@ Note: has no effect if a solid was selected Outer diameter: - Outer diameter: + Внешний диаметр: @@ -3251,30 +3251,30 @@ Note: has no effect if a solid was selected Вращение: - - - + + + formula формула - + Velocity x: Скорость по оси x: - + Velocity y: Скорость по оси y: - + Velocity z: Скорость по оси z: @@ -3404,14 +3404,14 @@ Note: for 2D only setting for x is possible, Мнимая часть y-компоненты комплексного потенциала - + Real part of potential z-component Действительная часть z-компоненты комплексного потенциала - + Imaginary part of potential z-component Мнимая часть z-компоненты комплексного потенциала @@ -3481,7 +3481,7 @@ Note: for 2D only setting for x is possible, x - x + @@ -3529,26 +3529,26 @@ Note: for 2D only setting for x is possible, Отмена - + - - - + + + A dialog is already open in the task panel Диалог уже открыт на панели задач - + - - - + + + Do you want to close this dialog? Вы хотите закрыть этот диалог? @@ -3565,7 +3565,7 @@ Note: for 2D only setting for x is possible, FEM - МКЭ + Метод конечных элементов @@ -3996,7 +3996,7 @@ For possible variables, see the description box below. x - + x @@ -4065,7 +4065,7 @@ For possible variables, see the description box below. Box - Куб + Коробка @@ -4284,7 +4284,7 @@ For possible variables, see the description box below. Remove - Удалить + Убрать @@ -4549,7 +4549,7 @@ normal vector of the face is used as direction Reverse direction - Развернуть направление + В обратном направлении @@ -4572,7 +4572,7 @@ normal vector of the face is used as direction Remove - Убрать + Удалить @@ -5021,7 +5021,7 @@ used for the Elmer solver Wireframe - Каркас + Каркасная сетка @@ -5160,7 +5160,7 @@ used for the Elmer solver FEM - Метод конечных элементов + МКЭ @@ -5280,7 +5280,7 @@ used for the Elmer solver Mesh - Полигональная сетка + Сеть @@ -6008,7 +6008,7 @@ Please select a result type first. Nodes - Узлов + Узлы @@ -6042,7 +6042,7 @@ Please select a result type first. Fem - Мкэ (метод конечных элементов) + МКЭ (метод конечных элементов) diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts index fdf972e1c736..f6b67b7719c3 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sl.ts @@ -2553,15 +2553,15 @@ Določite drugo datoteko. FemMaterial - + FEM material FEM material - + Material Snov @@ -2586,9 +2586,9 @@ Določite drugo datoteko. Material name - + TextLabel Besedilna oznaka @@ -2938,17 +2938,17 @@ Določite drugo datoteko. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Določite drugo datoteko. Centrif parameter - + - + Parameter Določilka @@ -2992,13 +2992,13 @@ Določite drugo datoteko. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Določite drugo datoteko. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Določite drugo datoteko. - - - + + + + + + unspecified nedoločeno @@ -3081,16 +3081,16 @@ s harminičnim oz. nihajočim gonilom Ali se robni pogoj nanaša na električno silo - + Real Dejanska - + Imaginary Namišljena @@ -3110,9 +3110,9 @@ s harminičnim oz. nihajočim gonilom Namišljeni del skalarnega potenciala - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Opomba: nima učinka, če je izbrano telo - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Opomba: nima učinka, če je izbrano telo - + z z @@ -3204,8 +3204,8 @@ Opomba: nima učinka, če je izbrano telo Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Opomba: nima učinka, če je izbrano telo Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Opomba: pri 2D je mogoče nastavili le x, Namišljeni del y-komponente potenciala - + Real part of potential z-component Dejanski del z-komponente potenciala - + Imaginary part of potential z-component Namišljeni del z-komponente potenciala @@ -3538,26 +3538,26 @@ Opomba: pri 2D je mogoče nastavili le x, Prekliči - + - - - + + + A dialog is already open in the task panel A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? Do you want to close this dialog? @@ -5015,7 +5015,7 @@ used for the Elmer solver Outline - Obris + Outline @@ -5025,7 +5025,7 @@ used for the Elmer solver Surface with Edges - Površje z robovi + Surface with Edges diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_sr-CS.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_sr-CS.ts index 0f78d5f83876..11341c8d1011 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sr-CS.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sr-CS.ts @@ -24,7 +24,7 @@ Fem - Fem + MKE @@ -2552,15 +2552,15 @@ Specify another file please. FemMaterial - + FEM material MKE materijal - + Material Materijal @@ -2585,9 +2585,9 @@ Specify another file please. Ime materijala - + TextLabel Tekstualna oznaka @@ -2937,17 +2937,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2957,11 +2957,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parametar @@ -2991,13 +2991,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3012,12 +3012,9 @@ Specify another file please. Potencijal: - - - - - - + + + @@ -3030,15 +3027,18 @@ Specify another file please. - - - + + + + + + unspecified neodređeno @@ -3080,16 +3080,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Realni deo - + Imaginary Imaginarni deo @@ -3109,9 +3109,9 @@ with a harmonic/oscillating driving force Imaginarni deo skalarnog potencijala - + x x @@ -3130,9 +3130,9 @@ Note: has no effect if a solid was selected Napomena: nema efekta ako je izabrano puno telo - + y y @@ -3151,9 +3151,9 @@ Note: has no effect if a solid was selected Napomena: nema efekta ako je izabrano puno telo - + z z @@ -3203,8 +3203,8 @@ Napomena: nema efekta ako je izabrano puno telo Parametri poprečnog preseka grede - + Cross section parameter Parametri poprečnog preseka @@ -3259,30 +3259,30 @@ Napomena: nema efekta ako je izabrano puno telo Rotacija: - - - + + + formula formula - + Velocity x: Brzina x: - + Velocity y: Brzina y: - + Velocity z: Brzina z: @@ -3412,14 +3412,14 @@ Note: for 2D only setting for x is possible, Imaginarni deo y-komponente potencijala - + Real part of potential z-component Realni deo z-komponente potencijala - + Imaginary part of potential z-component Imaginarni deo z-komponente potencijala @@ -3537,26 +3537,26 @@ Note: for 2D only setting for x is possible, Otkaži - + - - - + + + A dialog is already open in the task panel A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? Do you want to close this dialog? @@ -6051,7 +6051,7 @@ Please select a result type first. Fem - MKE + Fem diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts index 060ffc8a169e..5522048e6643 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sr.ts @@ -24,7 +24,7 @@ Fem - Fem + МКЕ @@ -2552,15 +2552,15 @@ Specify another file please. FemMaterial - + FEM material МКЕ материјал - + Material Материјал @@ -2585,9 +2585,9 @@ Specify another file please. Име материјала - + TextLabel Текстуална ознака @@ -2937,17 +2937,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2957,11 +2957,11 @@ Specify another file please. Centrif parameter - + - + Parameter Параметар @@ -2991,13 +2991,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3012,12 +3012,9 @@ Specify another file please. Потенцијал: - - - - - - + + + @@ -3030,15 +3027,18 @@ Specify another file please. - - - + + + + + + unspecified неодређено @@ -3080,16 +3080,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Реални део - + Imaginary Имагинарни део @@ -3109,9 +3109,9 @@ with a harmonic/oscillating driving force Имагинарни део скаларног потенцијала - + x x @@ -3130,9 +3130,9 @@ Note: has no effect if a solid was selected Напомена: нема ефекта ако је изабрано пуно тело - + y y @@ -3151,9 +3151,9 @@ Note: has no effect if a solid was selected Напомена: нема ефекта ако је изабрано пуно тело - + z z @@ -3203,8 +3203,8 @@ Note: has no effect if a solid was selected Параметри попречног пресека греде - + Cross section parameter Параметри попречног пресека @@ -3259,30 +3259,30 @@ Note: has no effect if a solid was selected Ротација: - - - + + + formula formula - + Velocity x: Брзина x: - + Velocity y: Брзина y: - + Velocity z: Брзина z: @@ -3412,14 +3412,14 @@ Note: for 2D only setting for x is possible, Имагинарни део y-компоненте потенцијала - + Real part of potential z-component Реални део z-компоненте потенцијала - + Imaginary part of potential z-component Имагинарни део z-компоненте потенцијала @@ -3537,26 +3537,26 @@ Note: for 2D only setting for x is possible, Откажи - + - - - + + + A dialog is already open in the task panel Дијалог је већ отворен у панелу задатака - + - - - + + + Do you want to close this dialog? Да ли желите да затворите овај дијалог? @@ -6236,7 +6236,7 @@ Please select a result type first. Fem - МКЕ + Fem diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_sv-SE.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_sv-SE.ts index b9fbceddb44b..8e39f677cb9c 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_sv-SE.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_sv-SE.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Material @@ -2586,9 +2586,9 @@ Specify another file please. Materialnamn - + TextLabel TextLabel @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Parameter @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified ospecificerad @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginär @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y Y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formel - + Velocity x: Hastighet x: - + Velocity y: Hastighet y: - + Velocity z: Hastighet z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Avbryt - + - - - + + + A dialog is already open in the task panel En dialogruta är redan öppen i uppgiftspanelen - + - - - + + + Do you want to close this dialog? Vill du stänga denna dialogruta? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts index 631bb396aefc..31baa9018356 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_tr.ts @@ -2546,15 +2546,15 @@ Specify another file please. FemMaterial - + FEM material FEM malzemesi - + Material Malzeme @@ -2579,9 +2579,9 @@ Specify another file please. Malzeme adı - + TextLabel MetinEtiketi @@ -2931,17 +2931,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2951,11 +2951,11 @@ Specify another file please. Merkezkaç değişkeni - + - + Parameter Parametre @@ -2985,13 +2985,13 @@ Specify another file please. Bölüm baskısı parametresi - - + + - - + + Analysis feature properties Analysis feature properties @@ -3006,12 +3006,9 @@ Specify another file please. Potansiyel: - - - - - - + + + @@ -3024,15 +3021,18 @@ Specify another file please. - - - + + + + + + unspecified belirtilmemiş @@ -3074,16 +3074,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3103,9 +3103,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3124,9 +3124,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3145,9 +3145,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3197,8 +3197,8 @@ Note: has no effect if a solid was selected Işın kesiti değişkeni - + Cross section parameter Kesit değişkeni @@ -3253,30 +3253,30 @@ Note: has no effect if a solid was selected Dönüş: - - - + + + formula formula - + Velocity x: Hız x: - + Velocity y: Hız y: - + Velocity z: Hız z: @@ -3406,14 +3406,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3531,26 +3531,26 @@ Note: for 2D only setting for x is possible, İptal - + - - - + + + A dialog is already open in the task panel Araç çubuğunda bir pencere zaten açık - + - - - + + + Do you want to close this dialog? Bu pencereyi kapatmak ister misiniz? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts index acfd0d16bdb0..8aaad82f7b61 100755 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_uk.ts @@ -2554,15 +2554,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Матеріал @@ -2587,9 +2587,9 @@ Specify another file please. Material name - + TextLabel ТекстовийНадпис @@ -2939,17 +2939,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 мм @@ -2959,11 +2959,11 @@ Specify another file please. Centrif parameter - + - + Parameter Параметр @@ -2993,13 +2993,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3014,12 +3014,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3032,15 +3029,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3082,16 +3082,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3111,9 +3111,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3132,9 +3132,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3153,9 +3153,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3205,8 +3205,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3261,30 +3261,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3414,14 +3414,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3539,26 +3539,26 @@ Note: for 2D only setting for x is possible, Скасувати - + - - - + + + A dialog is already open in the task panel Діалогове вікно вже відкрито в панелі задач - + - - - + + + Do you want to close this dialog? Ви бажаєте закрити це діалогове вікно? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_val-ES.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_val-ES.ts index ee3cbcbe4e3e..c2d94dffdbfa 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_val-ES.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_val-ES.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material Material @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel EtiquetaText @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter Paràmetre @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, Cancel·la - + - - - + + + A dialog is already open in the task panel A dialog is already open in the task panel - + - - - + + + Do you want to close this dialog? Do you want to close this dialog? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_zh-CN.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_zh-CN.ts index f8445db33f25..965e5ec86730 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_zh-CN.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_zh-CN.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material 材质 @@ -2586,9 +2586,9 @@ Specify another file please. 材料名称 - + TextLabel 文本标签 @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter 参数 @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. 电位: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified 未指定 @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real 实部 - + Imaginary 虚部 @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected 旋转: - - - + + + formula formula - + Velocity x: X方向速度: - + Velocity y: Y方向速度: - + Velocity z: Z方向速度: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, 势能Y轴分量的虚部 - + Real part of potential z-component 势能Z轴分量的实部 - + Imaginary part of potential z-component 势能Z轴分量的虚部 @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, 取消 - + - - - + + + A dialog is already open in the task panel 一个对话框已在任务面板打开 - + - - - + + + Do you want to close this dialog? 您要关闭此对话框吗? diff --git a/src/Mod/Fem/Gui/Resources/translations/Fem_zh-TW.ts b/src/Mod/Fem/Gui/Resources/translations/Fem_zh-TW.ts index ac76c3382d76..606138832fa1 100644 --- a/src/Mod/Fem/Gui/Resources/translations/Fem_zh-TW.ts +++ b/src/Mod/Fem/Gui/Resources/translations/Fem_zh-TW.ts @@ -2553,15 +2553,15 @@ Specify another file please. FemMaterial - + FEM material FEM material - + Material 材質 @@ -2586,9 +2586,9 @@ Specify another file please. Material name - + TextLabel 文字標籤 @@ -2938,17 +2938,17 @@ Specify another file please. Enable Adjust + + + - - - 0 mm 0 mm @@ -2958,11 +2958,11 @@ Specify another file please. Centrif parameter - + - + Parameter 參數 @@ -2992,13 +2992,13 @@ Specify another file please. SectionPrint parameter - - + + - - + + Analysis feature properties Analysis feature properties @@ -3013,12 +3013,9 @@ Specify another file please. Potential: - - - - - - + + + @@ -3031,15 +3028,18 @@ Specify another file please. - - - + + + + + + unspecified unspecified @@ -3081,16 +3081,16 @@ with a harmonic/oscillating driving force Whether the boundary condition is for the electric force - + Real Real - + Imaginary Imaginary @@ -3110,9 +3110,9 @@ with a harmonic/oscillating driving force Imaginary part of scalar potential - + x x @@ -3131,9 +3131,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + y y @@ -3152,9 +3152,9 @@ Note: has no effect if a solid was selected Note: has no effect if a solid was selected - + z z @@ -3204,8 +3204,8 @@ Note: has no effect if a solid was selected Beam section parameter - + Cross section parameter Cross section parameter @@ -3260,30 +3260,30 @@ Note: has no effect if a solid was selected Rotation: - - - + + + formula formula - + Velocity x: Velocity x: - + Velocity y: Velocity y: - + Velocity z: Velocity z: @@ -3413,14 +3413,14 @@ Note: for 2D only setting for x is possible, Imaginary part of potential y-component - + Real part of potential z-component Real part of potential z-component - + Imaginary part of potential z-component Imaginary part of potential z-component @@ -3538,26 +3538,26 @@ Note: for 2D only setting for x is possible, 取消 - + - - - + + + A dialog is already open in the task panel 於工作面板已開啟對話窗 - + - - - + + + Do you want to close this dialog? 您確定要關閉此對話窗嗎? diff --git a/src/Mod/Fem/Gui/ViewProviderFemMesh.cpp b/src/Mod/Fem/Gui/ViewProviderFemMesh.cpp index b7829b9521b8..97832c4ec57e 100644 --- a/src/Mod/Fem/Gui/ViewProviderFemMesh.cpp +++ b/src/Mod/Fem/Gui/ViewProviderFemMesh.cpp @@ -796,7 +796,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, lines->coordIndex.setNum(0); return; } - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log( "Start: ViewProviderFEMMeshBuilder::createMesh() =================================\n"); @@ -834,7 +834,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, std::vector facesHelper(numTries); Base::Console().Log(" %f: Start build up %i face helper\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo()), + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed()), facesHelper.size()); Base::BoundBox3d BndBox; @@ -1359,7 +1359,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, if (FaceSize < MaxFacesShowInner) { Base::Console().Log(" %f: Start eliminate internal faces SIMPLE\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // search for double (inside) faces and hide them if (!ShowInner) { @@ -1376,7 +1376,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, } else { Base::Console().Log(" %f: Start eliminate internal faces GRID\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); BndBox.Enlarge(BndBox.CalcDiagonalLength() / 10000.0); // calculate grid properties double edge = pow(FaceSize, 1.0 / 3.0); @@ -1444,7 +1444,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, Base::Console().Log(" %f: Start build up node map\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // sort out double nodes and build up index map std::map mapNodeIndex; @@ -1477,7 +1477,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, } } Base::Console().Log(" %f: Start set point vector\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // set the point coordinates coords->point.setNum(mapNodeIndex.size()); @@ -1495,7 +1495,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, // count triangle size Base::Console().Log(" %f: Start count triangle size\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); int triangleCount = 0; for (int l = 0; l < FaceSize; l++) { if (!facesHelper[l].hide) { @@ -1551,7 +1551,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, } Base::Console().Log(" %f: Start build up triangle vector\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // set the triangle face indices faces->coordIndex.setNum(4 * triangleCount); vFaceElementIdx.resize(triangleCount); @@ -2971,7 +2971,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, faces->coordIndex.finishEditing(); Base::Console().Log(" %f: Start build up edge vector\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // std::map > EdgeMap; // count edges int EdgeSize = 0; @@ -3000,7 +3000,7 @@ void ViewProviderFEMMeshBuilder::createMesh(const App::Property* prop, Base::Console().Log( " %f: Finish =========================================================\n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); } diff --git a/src/Mod/Fem/Gui/ViewProviderFemMeshPyImp.cpp b/src/Mod/Fem/Gui/ViewProviderFemMeshPyImp.cpp index 030e262deee9..0c1a73660c93 100644 --- a/src/Mod/Fem/Gui/ViewProviderFemMeshPyImp.cpp +++ b/src/Mod/Fem/Gui/ViewProviderFemMeshPyImp.cpp @@ -186,7 +186,7 @@ void ViewProviderFemMeshPy::setNodeColor(Py::Dict arg) this->getViewProviderFemMeshPtr()->resetColorByNodeId(); } else { - Base::TimeInfo Start; + Base::TimeElapsed Start; Base::Console().Log( "Start: ViewProviderFemMeshPy::setNodeColor() =================================\n"); // std::map NodeColorMap; @@ -209,12 +209,12 @@ void ViewProviderFemMeshPy::setNodeColor(Py::Dict arg) App::Color(Py::Float(color[0]), Py::Float(color[1]), Py::Float(color[2]), 0); } Base::Console().Log(" %f: Start ViewProviderFemMeshPy::setNodeColor() call \n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); // this->getViewProviderFemMeshPtr()->setColorByNodeId(NodeColorMap); this->getViewProviderFemMeshPtr()->setColorByNodeId(NodeIds, NodeColors); Base::Console().Log(" %f: Finish ViewProviderFemMeshPy::setNodeColor() call \n", - Base::TimeInfo::diffTimeF(Start, Base::TimeInfo())); + Base::TimeElapsed::diffTimeF(Start, Base::TimeElapsed())); } } diff --git a/src/Mod/Mesh/Gui/Resources/translations/Mesh_fr.ts b/src/Mod/Mesh/Gui/Resources/translations/Mesh_fr.ts index 38d5702bf04d..ac35298d39d6 100644 --- a/src/Mod/Mesh/Gui/Resources/translations/Mesh_fr.ts +++ b/src/Mod/Mesh/Gui/Resources/translations/Mesh_fr.ts @@ -25,7 +25,7 @@ Mesh - Mesh + Maillage @@ -44,7 +44,7 @@ Mesh - Mesh + Maillage @@ -63,7 +63,7 @@ Mesh - Mesh + Maillage @@ -82,7 +82,7 @@ Mesh - Mesh + Maillage @@ -669,17 +669,17 @@ Mesh union - Union de maillage + Unir des maillages Mesh difference - Différence de maillage + Générer la différence de maillages Mesh intersection - Intersection de maillage + Générer la l'intersection de maillages @@ -694,7 +694,7 @@ Mesh Smoothing - Lissage du maillage + Lisser un maillage @@ -709,22 +709,22 @@ Fill up holes - Remplir les trous + Remplir des trous Mesh merge - Fusion de maillage + Fusionner des maillages Mesh split - Scinder le maillage + Scinder un maillage Mesh scale - Redimensionner le maillage + Mettre à l'échelle le maillage @@ -749,17 +749,17 @@ Remove degenerated faces - Enlever les faces dégénérées + Supprimer les faces dégénérées Remove duplicated faces - Enlever les faces dupliquées + Supprimer les faces dupliquées Remove duplicated points - Enlever les points dupliqués + Supprimer les points dupliqués @@ -1308,7 +1308,7 @@ Mesh Formats - Formats du maillage + Formats des maillages @@ -1323,7 +1323,7 @@ <html><head><meta name="qrichtext" content="1" /></head><body style=" white-space: pre-wrap; font-size:7.8pt; font-weight:400; font-style:normal; text-decoration:none;"><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-weight:600;">Tessellation</span></p><p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-weight:600;"></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-weight:600;"><span style=" font-weight:400;">Defines the maximum deviation of the tessellated mesh to the surface. The smaller the value is the slower the render speed which results in increased detail/resolution.</span></p></body></html> - <html><head><meta name="qrichtext" content="1" /></head><body style=" white-space: pre-wrap; font-size:7.8pt; font-weight:400; font-style:normal; text-decoration:none;"><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-weight:600;">Pavage du plan</span></p><p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-weight:600;"></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-weight:600;"><span style=" font-weight:400;">Définit la déviation maximale de la maille en mosaïque par rapport à la surface. Plus la valeur est petite, plus la vitesse de rendu est lente, ce qui se traduit par une augmentation des détails/de la résolution.</span></p></body></html> + <html><head><meta name="qrichtext" content="1" /></head><body style=" white-space: pre-wrap; font-size:7.8pt; font-weight:400; font-style:normal; text-decoration:none;"><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-weight:600;">Tessellation</span></p><p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-weight:600;"></p><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px; font-weight:600;"><span style=" font-weight:400;">Définit la déviation maximale du maillage tesselé par rapport à la surface. Plus la valeur est petite, plus la vitesse de rendu est lente, ce qui se traduit par une augmentation des détails/de la résolution.</span></p></body></html> @@ -1369,8 +1369,7 @@ This parameter indicates whether ZIP compression is used when writing a file in AMF format - Ce paramètre indique si la compression ZIP -est utilisée lors de l'écriture d'un fichier au format AMF + Ce paramètre indique si la compression ZIP est utilisée lors de l'écriture d'un fichier au format AMF. @@ -1584,7 +1583,7 @@ l'ombrage Phong conduit à un aspect plus lisse. Running gmsh... - Exécution de gmsh... + Lancer Gmsh... @@ -2047,7 +2046,7 @@ l'ombrage Phong conduit à un aspect plus lisse. X: %1 Y: %2 Z: %3 - X: %1 Y: %2 Z: %3 + X : %1 Y : %2 Z : %3 @@ -2141,7 +2140,7 @@ Consulter le site http://www.openscad.org/index.html pour l'installer. Object File Format - Format de fichier Objet + Format du fichier de l'objet @@ -2173,7 +2172,7 @@ Consulter le site http://www.openscad.org/index.html pour l'installer. Simple Model Format - Modèle simple Format + Format du modèle simple @@ -2213,7 +2212,7 @@ Consulter le site http://www.openscad.org/index.html pour l'installer. Python module def - Définition de module Python + Définition du module Python @@ -2298,7 +2297,7 @@ Consulter le site http://www.openscad.org/index.html pour l'installer. Display colors - Couleurs d'affichage + Afficher les couleurs diff --git a/src/Mod/MeshPart/App/Mesher.cpp b/src/Mod/MeshPart/App/Mesher.cpp index 1cf051a96aea..e5088b914133 100644 --- a/src/Mod/MeshPart/App/Mesher.cpp +++ b/src/Mod/MeshPart/App/Mesher.cpp @@ -33,6 +33,7 @@ #include #include #include +#include #include #include "Mesher.h" @@ -123,47 +124,6 @@ int MeshingOutput::sync() namespace MeshPart { -struct Vertex -{ - static const double deflection; - Standard_Real x, y, z; - Standard_Integer i = 0; - mutable MeshCore::MeshPoint p; - - Vertex(Standard_Real X, Standard_Real Y, Standard_Real Z) - : x(X) - , y(Y) - , z(Z) - { - p.x = static_cast(x); - p.y = static_cast(y); - p.z = static_cast(z); - } - - const MeshCore::MeshPoint& toPoint() const - { - return p; - } - - bool operator<(const Vertex& v) const - { - if (fabs(this->x - v.x) >= deflection) { - return this->x < v.x; - } - if (fabs(this->y - v.y) >= deflection) { - return this->y < v.y; - } - if (fabs(this->z - v.z) >= deflection) { - return this->z < v.z; - } - return false; // points are considered to be equal - } -}; - -const double Vertex::deflection = 10 * std::numeric_limits::epsilon(); - -// ---------------------------------------------------------------------------- - class BrepMesh { bool segments; @@ -177,111 +137,52 @@ class BrepMesh Mesh::MeshObject* create(const std::vector& domains) const { - std::map> colorMap; - for (std::size_t i = 0; i < colors.size(); i++) { - colorMap[colors[i]].push_back(i); - } - - bool createSegm = (colors.size() == domains.size()); + std::vector points; + std::vector facets; + Part::BRepMesh mesh; + mesh.getFacesFromDomains(domains, points, facets); MeshCore::MeshFacetArray faces; - std::size_t numTriangles = 0; - for (const auto& it : domains) { - numTriangles += it.facets.size(); + faces.reserve(facets.size()); + std::transform(facets.cbegin(), + facets.cend(), + std::back_inserter(faces), + [](const Part::TopoShape::Facet& face) { + return MeshCore::MeshFacet(face.I1, face.I2, face.I3); + }); + + MeshCore::MeshPointArray verts; + verts.reserve(points.size()); + for (const auto& it : points) { + verts.emplace_back(float(it.x), float(it.y), float(it.z)); } - faces.reserve(numTriangles); - std::set vertices; - Standard_Real x1, y1, z1; - Standard_Real x2, y2, z2; - Standard_Real x3, y3, z3; + MeshCore::MeshKernel kernel; + kernel.Adopt(verts, faces, true); + // mesh segments std::vector> meshSegments; - std::size_t numMeshFaces = 0; - - for (const auto& domain : domains) { - std::size_t numDomainFaces = 0; - for (std::size_t j = 0; j < domain.facets.size(); ++j) { - const Part::TopoShape::Facet& tria = domain.facets[j]; - x1 = domain.points[tria.I1].x; - y1 = domain.points[tria.I1].y; - z1 = domain.points[tria.I1].z; - - x2 = domain.points[tria.I2].x; - y2 = domain.points[tria.I2].y; - z2 = domain.points[tria.I2].z; - - x3 = domain.points[tria.I3].x; - y3 = domain.points[tria.I3].y; - z3 = domain.points[tria.I3].z; - - std::set::iterator it; - MeshCore::MeshFacet face; - - // 1st vertex - Vertex v1(x1, y1, z1); - it = vertices.find(v1); - if (it == vertices.end()) { - v1.i = vertices.size(); - face._aulPoints[0] = v1.i; - vertices.insert(v1); - } - else { - face._aulPoints[0] = it->i; - } - - // 2nd vertex - Vertex v2(x2, y2, z2); - it = vertices.find(v2); - if (it == vertices.end()) { - v2.i = vertices.size(); - face._aulPoints[1] = v2.i; - vertices.insert(v2); - } - else { - face._aulPoints[1] = it->i; - } - - // 3rd vertex - Vertex v3(x3, y3, z3); - it = vertices.find(v3); - if (it == vertices.end()) { - v3.i = vertices.size(); - face._aulPoints[2] = v3.i; - vertices.insert(v3); - } - else { - face._aulPoints[2] = it->i; - } - - // make sure that we don't insert invalid facets - if (face._aulPoints[0] != face._aulPoints[1] - && face._aulPoints[1] != face._aulPoints[2] - && face._aulPoints[2] != face._aulPoints[0]) { - faces.push_back(face); - numDomainFaces++; - } - } - // add a segment for the face - if (createSegm || this->segments) { - std::vector segment(numDomainFaces); - std::generate(segment.begin(), - segment.end(), - Base::iotaGen(numMeshFaces)); - numMeshFaces += numDomainFaces; - meshSegments.push_back(segment); - } + std::map> colorMap; + for (std::size_t i = 0; i < colors.size(); i++) { + colorMap[colors[i]].push_back(i); } - MeshCore::MeshPointArray verts; - verts.resize(vertices.size()); - for (const auto& it : vertices) { - verts[it.i] = it.toPoint(); - } + bool createSegm = (colors.size() == domains.size()); - MeshCore::MeshKernel kernel; - kernel.Adopt(verts, faces, true); + // add a segment for the face + if (createSegm || this->segments) { + auto segments = mesh.createSegments(); + meshSegments.reserve(segments.size()); + std::transform(segments.cbegin(), + segments.cend(), + std::back_inserter(meshSegments), + [](const Part::BRepMesh::Segment& segm) { + std::vector faces; + faces.insert(faces.end(), segm.cbegin(), segm.cend()); + return faces; + }); + } Mesh::MeshObject* meshdata = new Mesh::MeshObject(); meshdata->swap(kernel); diff --git a/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_fr.ts b/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_fr.ts index 4a5ba563e160..41551b2b5226 100644 --- a/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_fr.ts +++ b/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_fr.ts @@ -29,13 +29,13 @@ Curve on mesh... - Courbe sur maillage ... + Courbe sur un maillage... Creates an approximated curve on top of a mesh. This command only works with a 'mesh' object. - Crée une courbe approximative au dessus d'un maillage. + Crée rune courbe approximative au-dessus d'un maillage. Cette commande ne fonctionne qu'avec un objet "mesh". @@ -167,7 +167,7 @@ Cette commande ne fonctionne qu'avec un objet "mesh". Connect edges if distance less than - Racorder les arêtes si la distance est inférieure à + Relier les arêtes si la distance est inférieure à @@ -185,7 +185,7 @@ Cette commande ne fonctionne qu'avec un objet "mesh". Close wire - Fermer un fil + Fermer une polyligne @@ -200,7 +200,7 @@ Cette commande ne fonctionne qu'avec un objet "mesh". Wrong mesh picked - Mauvaise maille choisie + Mauvais maillage choisi @@ -213,7 +213,7 @@ Cette commande ne fonctionne qu'avec un objet "mesh". Curve on mesh - Courbe sur maillage + Courbe sur un maillage @@ -247,7 +247,7 @@ Cette commande ne fonctionne qu'avec un objet "Mesh", pas avec une face ou une s Spline Approximation - Approximation d'une spline + Approximation de spline @@ -267,7 +267,7 @@ Cette commande ne fonctionne qu'avec un objet "Mesh", pas avec une face ou une s Start - Début + Démarrer @@ -300,7 +300,7 @@ Cette commande ne fonctionne qu'avec un objet "Mesh", pas avec une face ou une s Maximal linear deflection of a mesh section from the surface of the object - Déflexion linéaire maximale d'une section de maille de la surface de l'objet + Déflexion linéaire maximale d'une section de maillage de la surface de l'objet @@ -317,7 +317,7 @@ Cette commande ne fonctionne qu'avec un objet "Mesh", pas avec une face ou une s The maximal linear deviation of a mesh segment will be the specified Surface deviation multiplied by the length of the current mesh segment (edge) La déflexion linéaire maximale d'un segment de maillage sera la déviation -de surface spécifiée multipliée par la longueur du segment de maillage actuel (arête) +de surface spécifiée multipliée par la longueur du segment de maillage en cours (arête) @@ -327,7 +327,7 @@ de surface spécifiée multipliée par la longueur du segment de maillage actuel Mesh will get face colors of the object - Le maillage obtiendra les couleurs de face de l'objet + Le maillage récupère les couleurs des faces de l'objet. @@ -367,7 +367,7 @@ cette fonction (par exemple le format OBJ). If this number is smaller the mesh becomes finer. The smallest value is 0. - Si ce nombre est plus petit, le maillage devient plus fine. + Si ce nombre est plus petit, le maillage devient plus fin. La valeur la plus petite est 0. @@ -423,7 +423,7 @@ La valeur la plus petite est 0. Mesh size grading: - Classement des tailles de maillages: + Classement par taille de maillage : @@ -501,14 +501,14 @@ Une valeur dans la plage de 0.2-10. You have selected a body without tip. Either set the tip of the body or select a different shape, please. Vous avez sélectionné un corps sans fonction résultante. -Définissez la fonction résultante du corps ou sélectionnez une forme différente, s'il vous plaît. +Définissez la fonction résultante du corps ou sélectionnez une forme différente. You have selected a shape without faces. Select a different shape, please. Vous avez sélectionné une forme sans face. -Merci de sélectionner une forme différente. +Sélectionner une forme différente. @@ -526,7 +526,7 @@ Merci de sélectionner une forme différente. Please select a plane at which you section the mesh. - Veuillez sélectionner un plan à partir duquel vous découpez le maillage. + Sélectionner un plan à partir duquel vous découpez le maillage. @@ -549,7 +549,7 @@ Merci de sélectionner une forme différente. Select the side you want to keep. - Sélectionner le coté à conserver. + Sélectionner le coté à conserver @@ -564,7 +564,7 @@ Merci de sélectionner une forme différente. Split - Scinder + Recomposer diff --git a/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_nl.ts b/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_nl.ts index c21d8f07afb4..74425d5fd9f8 100644 --- a/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_nl.ts +++ b/src/Mod/MeshPart/Gui/Resources/translations/MeshPart_nl.ts @@ -227,7 +227,7 @@ Dit commando werkt alleen met een 'maaswerk'-object, niet een normaal vlak of op Wire - Draad + Polygonale lijn diff --git a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.qm b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.qm index bec142ff7ee3..1614ec3eb446 100644 Binary files a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.qm and b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.qm differ diff --git a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.ts b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.ts index 088142e5a6a0..4ac0f498a904 100644 --- a/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.ts +++ b/src/Mod/OpenSCAD/Resources/translations/OpenSCAD_fr.ts @@ -21,7 +21,7 @@ The path to the OpenSCAD executable - Le chemin de l'exécutable de OpenSCAD + Le chemin d'accès de l'exécutable de OpenSCAD @@ -97,7 +97,7 @@ The path to the directory for transferring files to and from OpenSCAD - Le chemin d'accès au répertoire pour le transfert des fichiers vers et depuis OpenSCAD + Le chemin du répertoire pour le transfert des fichiers vers et depuis OpenSCAD @@ -107,7 +107,7 @@ Maximum fragment size - Taille maximale de fragment + Taille maximale des fragments @@ -184,7 +184,7 @@ Unable to explode %s - Impossible d'exploser %s + Impossible de dégrouper %s @@ -286,12 +286,12 @@ OpenSCAD file contains both 2D and 3D shapes. That is not supported in this importer, all shapes must have the same dimensionality. - Le fichier OpenSCAD contient à la fois des formes 2D et 3D. Cela n'est pas pris en charge par cet importateur, toutes les formes doivent avoir la même dimensionnalité. + Le fichier OpenSCAD contient à la fois des formes 2D et 3D. Cela n'est pas pris en charge par cet importateur. Toutes les formes doivent avoir la même dimensionnalité. Error: either all shapes must be 2D or all shapes must be 3D - Erreur: toutes les formes doivent être exclusivement en 2D ou en 3D + Erreur : soit toutes les formes sont en 2D, soit toutes les formes sont en 3D. @@ -303,7 +303,7 @@ Press OK - Appuyez sur OK + Appuyer sur OK @@ -316,7 +316,7 @@ Remove fusion, apply placement to children, and color randomly - Supprimer la fusion, appliquer le placement aux enfants et colorier au hasard + Supprimer l'union, appliquer le placement aux enfants et colorier au hasard @@ -324,7 +324,7 @@ Color Shapes - Colorer les formes + Colorier des formes @@ -428,7 +428,7 @@ Replace an object in the Tree view. Please select old, new, and parent object - Remplacer un objet dans la vue en arborescence. Veuillez sélectionner l'ancien objet, le nouvel objet et l'objet parent + Remplacer un objet dans la vue en arborescence. Sélectionner l'ancien objet, le nouvel objet et l'objet parent @@ -475,12 +475,12 @@ Hull - Enveloppe + Coque Use OpenSCAD to create a hull - Utilisez OpenSCAD pour créer une coque + Utiliser OpenSCAD pour créer une coque @@ -488,12 +488,12 @@ OpenSCAD Tools - Outils OpenSCAD + Outils d'OpenSCAD Frequently-used Part WB tools - Outils de pièce WB fréquemment utilisés + Outils fréquemment utilisés de l'atelier Part diff --git a/src/Mod/Part/App/BRepMesh.cpp b/src/Mod/Part/App/BRepMesh.cpp new file mode 100644 index 000000000000..a13251186f1e --- /dev/null +++ b/src/Mod/Part/App/BRepMesh.cpp @@ -0,0 +1,134 @@ +// SPDX-License-Identifier: LGPL-2.1-or-later + +/*************************************************************************** + * Copyright (c) 2024 Werner Mayer * + * * + * This file is part of FreeCAD. * + * * + * FreeCAD is free software: you can redistribute it and/or modify it * + * under the terms of the GNU Lesser General Public License as * + * published by the Free Software Foundation, either version 2.1 of the * + * License, or (at your option) any later version. * + * * + * FreeCAD 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 * + * Lesser General Public License for more details. * + * * + * You should have received a copy of the GNU Lesser General Public * + * License along with FreeCAD. If not, see * + * . * + * * + **************************************************************************/ + + +#include "PreCompiled.h" +#ifndef _PreComp_ +#include +#endif + +#include "BRepMesh.h" +#include + +using namespace Part; + +namespace Part { +struct MeshVertex +{ + Base::Vector3d p; + std::size_t i; + + explicit MeshVertex(const Base::Vector3d& p) + : p(p), i(0) + { + } + + Base::Vector3d toPoint() const + { return p; } + + bool operator < (const MeshVertex &v) const + { + if (fabs ( p.x - v.p.x) >= epsilon) + return p.x < v.p.x; + if (fabs ( p.y - v.p.y) >= epsilon) + return p.y < v.p.y; + if (fabs ( p.z - v.p.z) >= epsilon) + return p.z < v.p.z; + return false; // points are considered to be equal + } + +private: + static const double epsilon; +}; + +const double MeshVertex::epsilon = 10 * std::numeric_limits::epsilon(); + +} + +void BRepMesh::getFacesFromDomains(const std::vector& domains, + std::vector& points, + std::vector& faces) +{ + std::size_t numFaces = 0; + for (const auto& it : domains) { + numFaces += it.facets.size(); + } + faces.reserve(numFaces); + + std::set vertices; + auto addVertex = [&vertices](const Base::Vector3d& pnt, uint32_t& pointIndex) { + MeshVertex vertex(pnt); + vertex.i = vertices.size(); + auto it = vertices.insert(vertex); + pointIndex = it.first->i; + }; + + for (const auto & domain : domains) { + std::size_t numDomainFaces = 0; + for (const Facet& df : domain.facets) { + Facet face; + + // 1st vertex + addVertex(domain.points[df.I1], face.I1); + + // 2nd vertex + addVertex(domain.points[df.I2], face.I2); + + // 3rd vertex + addVertex(domain.points[df.I3], face.I3); + + // make sure that we don't insert invalid facets + if (face.I1 != face.I2 && + face.I2 != face.I3 && + face.I3 != face.I1) { + faces.push_back(face); + numDomainFaces++; + } + } + + domainSizes.push_back(numDomainFaces); + } + + std::vector meshPoints; + meshPoints.resize(vertices.size()); + for (const auto & vertex : vertices) { + meshPoints[vertex.i] = vertex.toPoint(); + } + points.swap(meshPoints); +} + +std::vector BRepMesh::createSegments() const +{ + std::size_t numMeshFaces = 0; + std::vector segm; + for (size_t numDomainFaces : domainSizes) { + Segment segment(numDomainFaces); + std::generate(segment.begin(), + segment.end(), + Base::iotaGen(numMeshFaces)); + numMeshFaces += numDomainFaces; + segm.push_back(segment); + } + + return segm; +} diff --git a/src/Mod/Part/App/BRepMesh.h b/src/Mod/Part/App/BRepMesh.h new file mode 100644 index 000000000000..e5edeaa9febd --- /dev/null +++ b/src/Mod/Part/App/BRepMesh.h @@ -0,0 +1,50 @@ +// SPDX-License-Identifier: LGPL-2.1-or-later + +/*************************************************************************** + * Copyright (c) 2024 Werner Mayer * + * * + * This file is part of FreeCAD. * + * * + * FreeCAD is free software: you can redistribute it and/or modify it * + * under the terms of the GNU Lesser General Public License as * + * published by the Free Software Foundation, either version 2.1 of the * + * License, or (at your option) any later version. * + * * + * FreeCAD 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 * + * Lesser General Public License for more details. * + * * + * You should have received a copy of the GNU Lesser General Public * + * License along with FreeCAD. If not, see * + * . * + * * + **************************************************************************/ + +#ifndef PART_BREPMESH_H +#define PART_BREPMESH_H + +#include +#include + +namespace Part { + +class PartExport BRepMesh +{ +public: + using Facet = Data::ComplexGeoData::Facet; + using Domain = Data::ComplexGeoData::Domain; + using Segment = std::vector; + + void getFacesFromDomains(const std::vector& domains, + std::vector& points, + std::vector& faces); + std::vector createSegments() const; + +private: + std::vector domainSizes; +}; + +} + +#endif // PART_BREPMESH_H diff --git a/src/Mod/Part/App/CMakeLists.txt b/src/Mod/Part/App/CMakeLists.txt index 1a85f3b6202c..ab4cd149a97f 100644 --- a/src/Mod/Part/App/CMakeLists.txt +++ b/src/Mod/Part/App/CMakeLists.txt @@ -500,6 +500,8 @@ SET(Part_SRCS Attacher.h AppPart.cpp AppPartPy.cpp + BRepMesh.cpp + BRepMesh.h BRepOffsetAPI_MakeOffsetFix.cpp BRepOffsetAPI_MakeOffsetFix.h BSplineCurveBiArcs.cpp diff --git a/src/Mod/Part/App/FeaturePartCommon.cpp b/src/Mod/Part/App/FeaturePartCommon.cpp index 3d7632ccb8c3..b2363050e5de 100644 --- a/src/Mod/Part/App/FeaturePartCommon.cpp +++ b/src/Mod/Part/App/FeaturePartCommon.cpp @@ -211,7 +211,7 @@ App::DocumentObjectExecReturn *MultiCommon::execute() shapes.push_back(sh); } - TopoShape res {}; + TopoShape res {0}; res.makeElementBoolean(Part::OpCodes::Common, shapes); if (res.isNull()) { throw Base::RuntimeError("Resulting shape is null"); diff --git a/src/Mod/Part/App/TopoShape.cpp b/src/Mod/Part/App/TopoShape.cpp index b303f2ad50bd..25266bf35fa0 100644 --- a/src/Mod/Part/App/TopoShape.cpp +++ b/src/Mod/Part/App/TopoShape.cpp @@ -172,6 +172,7 @@ #include #include "TopoShape.h" +#include "BRepMesh.h" #include "BRepOffsetAPI_MakeOffsetFix.h" #include "CrossSection.h" #include "encodeFilename.h" @@ -3359,118 +3360,12 @@ void TopoShape::getDomains(std::vector& domains) const } } -namespace Part { -struct MeshVertex -{ - Standard_Real x,y,z; - Standard_Integer i; - - MeshVertex(Standard_Real X, Standard_Real Y, Standard_Real Z) - : x(X),y(Y),z(Z),i(0) - { - } - explicit MeshVertex(const Base::Vector3d& p) - : x(p.x),y(p.y),z(p.z),i(0) - { - } - - Base::Vector3d toPoint() const - { return Base::Vector3d(x,y,z); } - - bool operator < (const MeshVertex &v) const - { - if (fabs ( this->x - v.x) >= MESH_MIN_PT_DIST) - return this->x < v.x; - if (fabs ( this->y - v.y) >= MESH_MIN_PT_DIST) - return this->y < v.y; - if (fabs ( this->z - v.z) >= MESH_MIN_PT_DIST) - return this->z < v.z; - return false; // points are considered to be equal - } - -private: - // use the same value as used inside the Mesh module - static const double MESH_MIN_PT_DIST; -}; -} - -const double MeshVertex::MESH_MIN_PT_DIST = 10 * std::numeric_limits::epsilon(); - void TopoShape::getFacesFromDomains(const std::vector& domains, std::vector& points, std::vector& faces) const { - std::set vertices; - Standard_Real x1, y1, z1; - Standard_Real x2, y2, z2; - Standard_Real x3, y3, z3; - - for (const auto & domain : domains) { - for (std::vector::const_iterator jt = domain.facets.begin(); jt != domain.facets.end(); ++jt) { - x1 = domain.points[jt->I1].x; - y1 = domain.points[jt->I1].y; - z1 = domain.points[jt->I1].z; - - x2 = domain.points[jt->I2].x; - y2 = domain.points[jt->I2].y; - z2 = domain.points[jt->I2].z; - - x3 = domain.points[jt->I3].x; - y3 = domain.points[jt->I3].y; - z3 = domain.points[jt->I3].z; - - TopoShape::Facet face; - std::set::iterator vIt; - - // 1st vertex - MeshVertex v1(x1,y1,z1); - vIt = vertices.find(v1); - if (vIt == vertices.end()) { - v1.i = vertices.size(); - face.I1 = v1.i; - vertices.insert(v1); - } - else { - face.I1 = vIt->i; - } - - // 2nd vertex - MeshVertex v2(x2,y2,z2); - vIt = vertices.find(v2); - if (vIt == vertices.end()) { - v2.i = vertices.size(); - face.I2 = v2.i; - vertices.insert(v2); - } - else { - face.I2 = vIt->i; - } - - // 3rd vertex - MeshVertex v3(x3,y3,z3); - vIt = vertices.find(v3); - if (vIt == vertices.end()) { - v3.i = vertices.size(); - face.I3 = v3.i; - vertices.insert(v3); - } - else { - face.I3 = vIt->i; - } - - // make sure that we don't insert invalid facets - if (face.I1 != face.I2 && - face.I2 != face.I3 && - face.I3 != face.I1) - faces.push_back(face); - } - } - - std::vector meshPoints; - meshPoints.resize(vertices.size()); - for (const auto & vertex : vertices) - meshPoints[vertex.i] = vertex.toPoint(); - points.swap(meshPoints); + BRepMesh mesh; + mesh.getFacesFromDomains(domains, points, faces); } double TopoShape::getAccuracy() const @@ -4084,6 +3979,7 @@ TopoShape &TopoShape::makeRefine(const TopoShape &shape, const char *op, RefineF return *this; } +// TODO: Does the toponaming branch version of this method need to be here? bool TopoShape::findPlane(gp_Pln &pln, double tol) const { if(_Shape.IsNull()) return false; diff --git a/src/Mod/Part/App/TopoShape.h b/src/Mod/Part/App/TopoShape.h index 389284d3b072..a705b157421c 100644 --- a/src/Mod/Part/App/TopoShape.h +++ b/src/Mod/Part/App/TopoShape.h @@ -1240,6 +1240,14 @@ class PartExport TopoShape: public Data::ComplexGeoData void copyElementMap(const TopoShape & topoShape, const char *op=nullptr); bool canMapElement(const TopoShape &other) const; + void cacheRelatedElements(const Data::MappedName & name, + HistoryTraceType sameType, + const QVector & names) const; + + bool getRelatedElementsCached(const Data::MappedName & name, + HistoryTraceType sameType, + QVector &names) const; + void mapSubElement(const TopoShape &other,const char *op=nullptr, bool forceHasher=false); void mapSubElement(const std::vector &shapes, const char *op=nullptr); void mapSubElementsTo(std::vector& shapes, const char* op = nullptr) const; diff --git a/src/Mod/Part/App/TopoShapeExpansion.cpp b/src/Mod/Part/App/TopoShapeExpansion.cpp index f2b50f95d5c9..0ce927e8849a 100644 --- a/src/Mod/Part/App/TopoShapeExpansion.cpp +++ b/src/Mod/Part/App/TopoShapeExpansion.cpp @@ -5002,5 +5002,27 @@ bool TopoShape::isSame(const Data::ComplexGeoData &_other) const && Hasher == other.Hasher && _Shape.IsEqual(other._Shape); } +void TopoShape::cacheRelatedElements(const Data::MappedName &name, + HistoryTraceType sameType, + const QVector & names) const +{ + initCache(); + _cache->insertRelation(ShapeRelationKey(name,sameType), names); +} + +bool TopoShape::getRelatedElementsCached(const Data::MappedName &name, + HistoryTraceType sameType, + QVector &names) const +{ + if(!_cache) { + return false; + } + auto it = _cache->relations.find(ShapeRelationKey(name,sameType)); + if(it == _cache->relations.end()) { + return false; + } + names = it->second; + return true; +} } // namespace Part diff --git a/src/Mod/Part/Gui/Resources/translations/Part.ts b/src/Mod/Part/Gui/Resources/translations/Part.ts index b494b459b946..0ea45b1ed3ba 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part.ts @@ -5621,8 +5621,8 @@ in the 3D view for the sweep path. - + Edit %1 @@ -5713,20 +5713,20 @@ Do you want to continue? - + Face - + Edge - + Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_be.ts b/src/Mod/Part/Gui/Resources/translations/Part_be.ts index 1d27bbdd10b1..72dbdb026a44 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_be.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_be.ts @@ -226,7 +226,7 @@ Vertex AttachmentPoint mode caption - Vertex + Вяршыня @@ -3068,7 +3068,7 @@ If both lengths are zero, magnitude of direction is used. Length: - Length: + Даўжыня: @@ -3642,7 +3642,7 @@ during file reading (slower but higher details). Length: - Даўжыня: + Length: @@ -5662,7 +5662,7 @@ in the 3D view for the sweep path. Input error - Памылка ўводу + Input error @@ -5670,8 +5670,8 @@ in the 3D view for the sweep path. - + Edit %1 Змяніць %1 @@ -5763,22 +5763,22 @@ Do you want to continue? Без абраных спасылак - + Face Грань - + Edge Рабро - + Vertex - Вяршыня + Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ca.ts b/src/Mod/Part/Gui/Resources/translations/Part_ca.ts index 01ac38390371..90f76605b67b 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ca.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ca.ts @@ -226,7 +226,7 @@ Vertex AttachmentPoint mode caption - Vertex + Vèrtex @@ -5662,8 +5662,8 @@ in the 3D view for the sweep path. - + Edit %1 Editar %1 @@ -5755,22 +5755,22 @@ Do you want to continue? Cap referència seleccionat - + Face Cara - + Edge Vora - + Vertex - Vèrtex + Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_cs.ts b/src/Mod/Part/Gui/Resources/translations/Part_cs.ts index 685b26b8baf8..fef579c26c97 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_cs.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_cs.ts @@ -3637,7 +3637,7 @@ složeniny (pomalejší ale s podrobnějšími detaily). Parameter - Parametr + Parametry @@ -5624,7 +5624,7 @@ in the 3D view for the sweep path. Parameter - Parametry + Parametr @@ -5672,8 +5672,8 @@ in the 3D view for the sweep path. - + Edit %1 Upravit %1 @@ -5765,20 +5765,20 @@ Chcete pokračovat? Není vybrána reference - + Face Plocha - + Edge Hrana - + Vertex Vrchol @@ -6622,7 +6622,7 @@ Vytvoří "Filtr složenin" pro každý tvar. Continuity - Pokračování + Kontinuita diff --git a/src/Mod/Part/Gui/Resources/translations/Part_de.ts b/src/Mod/Part/Gui/Resources/translations/Part_de.ts index 4aedef9f5d99..cedffc73bd01 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_de.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_de.ts @@ -435,7 +435,7 @@ Intersection AttachmentLine mode caption - Schnitt + Schnittstelle @@ -1641,12 +1641,12 @@ X-, Y- und Z-Komponenten zerlegt wird. Defeaturing - Merkmal entfernen + Formelement entfernen Remove feature from a shape - Merkmal aus einer Form entfernen + Entfernt ein Formelement aus einer Form @@ -2313,7 +2313,7 @@ der Projektion. Defeaturing - Merkmal entfernen + Formelement entfernen @@ -4969,7 +4969,7 @@ nur die beschnittenen Objeke sichtbar Attachment Offset (in local coordinates): - Befestigungsversatz (in lokalen Koordinaten): + Versatz der Befestigung (in lokalen Koordinaten): @@ -5450,7 +5450,7 @@ indem Sie ein Auswahlrechteck in der 3D-Ansicht aufziehen Offset - Versetzen + Versatz @@ -5491,7 +5491,7 @@ indem Sie ein Auswahlrechteck in der 3D-Ansicht aufziehen Intersection - Schnittstelle + Schnitt @@ -5666,8 +5666,8 @@ für den Austragungspfad in der 3D-Ansicht auswählen. - + Edit %1 %1 bearbeiten @@ -5758,20 +5758,20 @@ Do you want to continue? Keine ausgewählten Referenzen - + Face Fläche - + Edge Kante - + Vertex Knoten @@ -6509,7 +6509,7 @@ Es wird ein 'Compound-Filter'-Objekt für jede Form erzeugt. Attachment Offset (in local coordinates): - Versatz der Befestigung (in lokalen Koordinaten): + Befestigungsversatz (in lokalen Koordinaten): @@ -6615,7 +6615,7 @@ Es wird ein 'Compound-Filter'-Objekt für jede Form erzeugt. Continuity - Kontinuität + Stetigkeit diff --git a/src/Mod/Part/Gui/Resources/translations/Part_el.ts b/src/Mod/Part/Gui/Resources/translations/Part_el.ts index abed3017730a..68aa1faf6039 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_el.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_el.ts @@ -3870,7 +3870,7 @@ during file reading (slower but higher details). Vertex - Vertex + Κορυφή @@ -5090,7 +5090,7 @@ of object being attached. Vertex - Κορυφή + Vertex @@ -5670,8 +5670,8 @@ in the 3D view for the sweep path. - + Edit %1 Επεξεργασία %1 @@ -5764,20 +5764,20 @@ Do you want to continue? Δεν επιλέχθηκε κανένα αντικείμενο αναφοράς - + Face Όψη - + Edge Ακμή - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_es-AR.ts b/src/Mod/Part/Gui/Resources/translations/Part_es-AR.ts index 9f111a387876..02d30bc920ea 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_es-AR.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_es-AR.ts @@ -5674,8 +5674,8 @@ in the 3D view for the sweep path. - + Edit %1 Editar %1 @@ -5767,20 +5767,20 @@ Do you want to continue? Ninguna referencia seleccionada - + Face Cara - + Edge Arista - + Vertex Vértice diff --git a/src/Mod/Part/Gui/Resources/translations/Part_es-ES.ts b/src/Mod/Part/Gui/Resources/translations/Part_es-ES.ts index ef4cd6d41694..c25f30c83452 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_es-ES.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_es-ES.ts @@ -5358,9 +5358,9 @@ Comprobación de operaciones booleanas individuales: %n invalid shapes. - + + %n forma inválida. %n formas inválidas. - %n invalid shapes. @@ -5669,8 +5669,8 @@ in the 3D view for the sweep path. - + Edit %1 Editar %1 @@ -5762,20 +5762,20 @@ Do you want to continue? Ninguna referencia seleccionada - + Face Cara - + Edge Arista - + Vertex Vértice diff --git a/src/Mod/Part/Gui/Resources/translations/Part_eu.ts b/src/Mod/Part/Gui/Resources/translations/Part_eu.ts index 5f6410c55a46..1a73bc5732bb 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_eu.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_eu.ts @@ -5674,8 +5674,8 @@ in the 3D view for the sweep path. - + Edit %1 Editatu %1 @@ -5766,20 +5766,20 @@ Do you want to continue? Ez da erreferentziarik hautatu - + Face Aurpegia - + Edge Ertza - + Vertex Erpina diff --git a/src/Mod/Part/Gui/Resources/translations/Part_fi.ts b/src/Mod/Part/Gui/Resources/translations/Part_fi.ts index e6bbdc78b900..a9f23e86dd43 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_fi.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_fi.ts @@ -5678,8 +5678,8 @@ reuna tai lanka, jota pitkin reitin pyyhkäisy tehdään. - + Edit %1 Muokkaa %1 @@ -5771,20 +5771,20 @@ Haluatko jatkaa? Ei viittausta valittuna - + Face Tahko - + Edge Reuna - + Vertex Kärkipiste diff --git a/src/Mod/Part/Gui/Resources/translations/Part_fr.ts b/src/Mod/Part/Gui/Resources/translations/Part_fr.ts index f0bef07f33c9..6201fd4ac197 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_fr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_fr.ts @@ -1167,7 +1167,7 @@ Part - Part + Pièce @@ -2205,7 +2205,7 @@ La vue caméra détermine la direction de la projection. Part - Pièce + Part @@ -2339,7 +2339,7 @@ La vue caméra détermine la direction de la projection. Wire - Fil + Polyligne @@ -3063,7 +3063,7 @@ Si les deux longueurs sont nulles, la grandeur de la direction est utilisée. Length: - Longueur : + Longueur : @@ -3271,7 +3271,7 @@ Please check one or more edge entities first. Import - Importer + Importation @@ -3381,7 +3381,7 @@ during file reading (slower but higher details). Position: - Position : + Position : @@ -3434,7 +3434,7 @@ during file reading (slower but higher details). Position: - Position : + Position : @@ -3464,12 +3464,12 @@ during file reading (slower but higher details). Radius: - Rayon : + Rayon : Height: - Hauteur : + Hauteur : @@ -3629,13 +3629,13 @@ during file reading (slower but higher details). Parameter - Paramètre + Paramètres Length: - Longueur : + Longueur : @@ -3659,7 +3659,7 @@ during file reading (slower but higher details). Radius: - Rayon : + Rayon : @@ -3948,17 +3948,17 @@ during file reading (slower but higher details). X: - X : + X : Y: - Y : + Y : Z: - Z : + Z : @@ -4038,7 +4038,7 @@ during file reading (slower but higher details). Angle: - Angle : + Angle : @@ -4768,7 +4768,7 @@ seules les coupes créées seront visibles Wrong selection - Sélection incorrecte + Sélection invalide @@ -4881,7 +4881,7 @@ seules les coupes créées seront visibles Wrong selection - Sélection invalide + Sélection incorrecte @@ -5439,7 +5439,7 @@ faces en traçant un rectangle de sélection dans la vue 3D. Create solid - Créer le solide + Créer un solide @@ -5458,7 +5458,7 @@ faces en traçant un rectangle de sélection dans la vue 3D. Offset - Décaler + Décalage @@ -5514,7 +5514,7 @@ faces en traçant un rectangle de sélection dans la vue 3D. Faces - Faces + Faces  @@ -5601,7 +5601,7 @@ faces en traçant un rectangle de sélection dans la vue 3D. Create solid - Créer un solide + Créer le solide @@ -5625,7 +5625,7 @@ in the 3D view for the sweep path. Parameter - Paramètres + Paramètre @@ -5640,7 +5640,7 @@ in the 3D view for the sweep path. Height: - Hauteur : + Hauteur : @@ -5673,8 +5673,8 @@ in the 3D view for the sweep path. - + Edit %1 Éditer %1 @@ -5766,27 +5766,27 @@ Voulez-vous continuer ? Aucune référence sélectionnée - + Face Face - + Edge Arête - + Vertex Sommet Compound - Composé + Composés @@ -5806,7 +5806,7 @@ Voulez-vous continuer ? Wire - Polyligne + Fil @@ -6201,7 +6201,7 @@ Voulez-vous continuer ? Compound - Composés + Composé @@ -6211,7 +6211,7 @@ Voulez-vous continuer ? Measure - Mesures + Mesure @@ -6332,7 +6332,7 @@ Voulez-vous continuer ? Bad selection - Sélection non valide + Mauvaise sélection @@ -6415,7 +6415,7 @@ Cela créera un "filtre composé" pour chaque forme. Bad selection - Mauvaise sélection + Sélection non valide @@ -6561,7 +6561,7 @@ Cela créera un "filtre composé" pour chaque forme. Faces - Faces  + Faces diff --git a/src/Mod/Part/Gui/Resources/translations/Part_gl.ts b/src/Mod/Part/Gui/Resources/translations/Part_gl.ts index cd1c3b2db376..18cb2cdd3620 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_gl.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_gl.ts @@ -5669,8 +5669,8 @@ in the 3D view for the sweep path. - + Edit %1 Editar %1 @@ -5761,20 +5761,20 @@ Do you want to continue? Ningunha referencia escolmada - + Face Face - + Edge Bordo - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_hr.ts b/src/Mod/Part/Gui/Resources/translations/Part_hr.ts index d473206ae263..3ea943eb962b 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_hr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_hr.ts @@ -5696,8 +5696,8 @@ u 3D pogledu kao putanju za zamah. - + Edit %1 Uređivanje %1 @@ -5788,20 +5788,20 @@ Do you want to continue? Referenca još nije postavljena - + Face Površina - + Edge Rub - + Vertex Vrh diff --git a/src/Mod/Part/Gui/Resources/translations/Part_hu.ts b/src/Mod/Part/Gui/Resources/translations/Part_hu.ts index 5ea0ce2138f4..2dfef7ead65b 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_hu.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_hu.ts @@ -4048,7 +4048,7 @@ a fájl olvasása közben (lassabb, de pontosabb). Angle: - Szög: + Dőlésszög: @@ -5672,8 +5672,8 @@ in the 3D view for the sweep path. - + Edit %1 %1 szerkesztése @@ -5764,20 +5764,20 @@ Do you want to continue? Nincs kijelölt hivatkozás - + Face Felület - + Edge Él - + Vertex Végpont diff --git a/src/Mod/Part/Gui/Resources/translations/Part_id.ts b/src/Mod/Part/Gui/Resources/translations/Part_id.ts index b90dbe76f85a..f25247deaea3 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_id.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_id.ts @@ -5786,8 +5786,8 @@ di 3D pandangan untuk menyapu jalan. - + Edit %1 Edit %1 @@ -5878,20 +5878,20 @@ Do you want to continue? Tidak ada referensi yang dipilih - + Face Menghadapi - + Edge Tepi - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_it.ts b/src/Mod/Part/Gui/Resources/translations/Part_it.ts index a59381566d1e..470d51c0d933 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_it.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_it.ts @@ -435,7 +435,7 @@ Intersection AttachmentLine mode caption - Intersezione + Interseca @@ -1458,7 +1458,7 @@ nei suoi componenti X, Y e Z. Intersection - Interseca + Intersezione @@ -2344,7 +2344,7 @@ della proiezione. Wire - Filo + Polilinea @@ -5672,8 +5672,8 @@ in the 3D view for the sweep path. - + Edit %1 Edita %1 @@ -5764,20 +5764,20 @@ Do you want to continue? Nessun riferimento selezionato - + Face Faccia - + Edge Bordo - + Vertex Vertice @@ -5804,7 +5804,7 @@ Do you want to continue? Wire - Polilinea + Filo diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ja.ts b/src/Mod/Part/Gui/Resources/translations/Part_ja.ts index 993d1ca26bce..cc1c3ad1d676 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ja.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ja.ts @@ -5658,8 +5658,8 @@ in the 3D view for the sweep path. - + Edit %1 %1を編集 @@ -5750,20 +5750,20 @@ Do you want to continue? 参照が選択されていません。 - + Face - + Edge エッジ - + Vertex 頂点 diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ka.ts b/src/Mod/Part/Gui/Resources/translations/Part_ka.ts index 57ff0fd237f3..c0e4bdcd94c6 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ka.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ka.ts @@ -226,7 +226,7 @@ Vertex AttachmentPoint mode caption - Vertex + წვერო @@ -265,7 +265,7 @@ Deactivated AttachmentLine mode caption - გამორთული + დეაქტივირებულია @@ -707,7 +707,7 @@ Deactivated Attachment3D mode caption - დეაქტივირებულია + გამორთული @@ -2196,7 +2196,7 @@ of projection. Torus - ტორი + ტორუსი @@ -2308,7 +2308,7 @@ of projection. Refine shape - მოხაზულობის გამკვეთრება + მოხაზულობის დაზუსტება @@ -2359,7 +2359,7 @@ of projection. Solid - მყარი სხეული + მყარი @@ -2992,7 +2992,7 @@ If both lengths are zero, magnitude of direction is used. Shape - ფიგურა + მოხაზულობა @@ -3068,7 +3068,7 @@ If both lengths are zero, magnitude of direction is used. Length: - Length: + სიგრძე: @@ -3579,7 +3579,7 @@ during file reading (slower but higher details). Torus - ტორუსი + ტორი @@ -3643,7 +3643,7 @@ during file reading (slower but higher details). Length: - სიგრძე: + Length: @@ -4777,7 +4777,7 @@ only created cuts will be visible Wrong selection - არასწორი მონიშნული + არასწორი არჩევანი @@ -4890,7 +4890,7 @@ only created cuts will be visible Wrong selection - არასწორი არჩევანი + არასწორი მონიშნული @@ -5094,7 +5094,7 @@ of object being attached. Selecting... - მონიშვნა... + არჩევა... @@ -5421,7 +5421,7 @@ by dragging a selection rectangle in the 3D view Box selection - არეალის მონიშვნა + ყუთის არჩევანი @@ -5509,7 +5509,7 @@ by dragging a selection rectangle in the 3D view Faces - სიბრტყეები + ზედაპირები @@ -5563,7 +5563,7 @@ by dragging a selection rectangle in the 3D view Refine shape - მოხაზულობის დაზუსტება + მოხაზულობის გამკვეთრება @@ -5661,7 +5661,7 @@ in the 3D view for the sweep path. Input error - შეყვანის შეცდომა + Input error @@ -5669,8 +5669,8 @@ in the 3D view for the sweep path. - + Edit %1 %1-ის ჩასწორება @@ -5762,22 +5762,22 @@ Do you want to continue? მიბმა არჩეული არაა - + Face - ზედაპირი + სიბრტყე - + Edge წიბო - + Vertex - წვერო + Vertex @@ -5792,7 +5792,7 @@ Do you want to continue? Solid - მყარი + მყარი სხეული @@ -5807,7 +5807,7 @@ Do you want to continue? Shape - მოხაზულობა + ფიგურა @@ -6167,7 +6167,7 @@ Do you want to continue? Solids - მასივები + მყარი სხეულები @@ -6207,7 +6207,7 @@ Do you want to continue? Measure - გაზომვა + საზომი @@ -6317,7 +6317,7 @@ Do you want to continue? Click 'Continue' to create the feature anyway, or 'Abort' to cancel. - დააწექით "გაგრძელება"-ს თვისების მაინც შესაქმნელად, ან "შეწყვეტა"-ს, გაუქმებისთვის. + დააწექით "გაგრძელებას" თვისების მაინც შესაქმნელად, ან "შეწყვეტას", გაუქმებისთვის. @@ -6388,7 +6388,7 @@ for collision or distance filtering. Click 'Continue' to create the feature anyway, or 'Abort' to cancel. - დააწექით "გაგრძელებას" თვისების მაინც შესაქმნელად, ან "შეწყვეტას", გაუქმებისთვის. + დააწექით "გაგრძელება"-ს თვისების მაინც შესაქმნელად, ან "შეწყვეტა"-ს, გაუქმებისთვის. @@ -6488,7 +6488,7 @@ It will create a 'Compound Filter' for each shape. Selecting... - არჩევა... + მონიშვნა... @@ -6559,7 +6559,7 @@ It will create a 'Compound Filter' for each shape. Faces - ზედაპირები + სიბრტყეები @@ -6569,7 +6569,7 @@ It will create a 'Compound Filter' for each shape. Solids - მყარი სხეულები + მასივები @@ -6619,7 +6619,7 @@ It will create a 'Compound Filter' for each shape. Continuity - გაგრძელება + უწყვეტობა diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ko.ts b/src/Mod/Part/Gui/Resources/translations/Part_ko.ts index fb54d3b3efe6..a63bf18b33ee 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ko.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ko.ts @@ -5675,8 +5675,8 @@ in the 3D view for the sweep path. - + Edit %1 Edit %1 @@ -5767,20 +5767,20 @@ Do you want to continue? No reference selected - + Face 면 선택 - + Edge 모서리 - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_nl.ts b/src/Mod/Part/Gui/Resources/translations/Part_nl.ts index cbd0bbfe4173..8abd1d8ac798 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_nl.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_nl.ts @@ -121,7 +121,7 @@ Wire Attacher reference type - Draad + Polygonale lijn @@ -441,7 +441,7 @@ Intersection of two faces. AttachmentLine mode tooltip - Intersection of two faces. + Snijlijn van twee vlakken. @@ -1195,7 +1195,7 @@ Set the color of each individual face of the selected object. - Set the color of each individual face of the selected object. + Stel de kleur in van elk afzonderlijk vlak van het geselecteerde object. @@ -1804,12 +1804,12 @@ into its X, Y, and Z components. Make face from wires - Maak vlak vanuit draden + Maak vlak vanuit polygonale lijnen Make face from set of wires (e.g. from a sketch) - Maak een vlak vanuit een draadset (bijv. vanuit een schets) + Maak een vlak vanuit een set polygonale lijnen (bijv. vanuit een schets) @@ -1956,10 +1956,8 @@ into its X, Y, and Z components. onto a face of another object. The camera view determines the direction of projection. - Project edges, wires, or faces of one object -onto a face of another object. -The camera view determines the direction -of projection. + Projecteer randen, polygonale lijnen, of vlakken van één object op een vlak van een ander object. +Het camerabeeld bepaalt de richting van de projectie. @@ -2026,12 +2024,12 @@ of projection. Create ruled surface - Maak een geregeerd oppervlak aan + Maak een regeloppervlak aan Create a ruled surface from either two Edges or two wires - Maak een geregeerd oppervlak vanuit twee randen of twee draden + Maak een regeloppervlak vanuit twee randen of twee polygonale lijnen @@ -2294,7 +2292,7 @@ of projection. Create ruled surface - Maak een geregeerd oppervlak aan + Maak een regeloppervlak aan @@ -2344,7 +2342,7 @@ of projection. Wire - Draad + Polygonale lijn @@ -2901,7 +2899,7 @@ If both lengths are zero, magnitude of direction is used. If checked, extruding closed wires will give solids, not shells. - Indien aangevinkt, zullen de geëxtrudeerde gesloten draden volumemodellen geven, niet schillen. + Indien aangevinkt, zullen de geëxtrudeerde gesloten polygonale lijnen volumemodellen geven, niet schillen. @@ -3913,7 +3911,7 @@ during file reading (slower but higher details). Add wire - Voeg draad toe + Voeg polygonale lijn toe @@ -4063,7 +4061,7 @@ during file reading (slower but higher details). If checked, revolving wires will produce solids. If not, revolving a wire yields a shell. - Indien aangevinkt, zullen de wentelende draden volumemodellen produceren. Zo niet, levert de wentelende draad een schil op. + Indien aangevinkt, zullen de wentelende polygonale lijnen volumemodellen produceren. Zo niet, levert de wentelende polygonale lijn een schil op. @@ -4501,7 +4499,7 @@ the sketch plane's normal vector will be used At least two vertices, edges, wires or faces are required. - Minstens twee eindpunten, randen, draden of vlakken zijn vereist. + Ten minste twee hoekpunten, randen, polygonale lijnen of vlakken zijn vereist. @@ -4511,7 +4509,7 @@ the sketch plane's normal vector will be used Vertex/Edge/Wire/Face - Eindpunt/Rand/Draad/Vlak + Eindpunt/Rand/Polygonale lijn/Vlak @@ -4878,7 +4876,7 @@ only created cuts will be visible At least one edge or wire is required. - Minstens één rand of draad is vereist. + Minstens één rand of polygonale lijn is vereist. @@ -5541,7 +5539,7 @@ by dragging a selection rectangle in the 3D view Wire from edges - Draad vanuit randen + Polygonale lijn van randen @@ -5615,8 +5613,7 @@ by dragging a selection rectangle in the 3D view Select one or more profiles and select an edge or wire in the 3D view for the sweep path. - Selecteer een of meer profielen en selecteer een rand of draad -in de 3D-weergave voor het veegpad. + Selecteer een of meer profielen en selecteer een rand of poygonale lijn in de 3D-weergave voor het veegpad. @@ -5677,8 +5674,8 @@ in de 3D-weergave voor het veegpad. - + Edit %1 Bewerken %1 @@ -5761,7 +5758,7 @@ Wilt u doorgaan? You have to select either two edges or two wires. - Je moet of twee randen of twee draden selecteren. + Je moet of twee randen of twee polygonale lijnen selecteren. @@ -5770,20 +5767,20 @@ Wilt u doorgaan? Geen referentie geselecteerd - + Face Vlak - + Edge Rand - + Vertex Vertex @@ -5810,7 +5807,7 @@ Wilt u doorgaan? Wire - Draad + Polygonale lijn @@ -5900,7 +5897,7 @@ Wilt u doorgaan? Empty Wire - Lege Draad + Lege Polygonale lijn @@ -5910,7 +5907,7 @@ Wilt u doorgaan? Self Intersecting Wire - Zelf kruisende draad + Zelf kruisende polygonale lijn @@ -5930,12 +5927,12 @@ Wilt u doorgaan? Intersecting Wires - Kruisende draden + Kruisende Polygonale lijnen Invalid Imbrication Of Wires - Ongeldige imbricatie van de draden + Ongeldige nesting van de polygonale lijnen @@ -6562,7 +6559,7 @@ It will create a 'Compound Filter' for each shape. Wires - Draden + Polygonale lijnen @@ -6897,7 +6894,7 @@ A 'Compound Filter' can be used to extract the remaining pieces. Shape must be a wire, edge or compound. Something else was supplied. - Shape must be a wire, edge or compound. Something else was supplied. + Vorm moet een polygonale lijn, rand of samenstelling zijn. Iets anders was ingevoerd. @@ -6910,7 +6907,7 @@ A 'Compound Filter' can be used to extract the remaining pieces. Makes separate plane face from every wire independently. No support for holes; wires can be on different planes. - Maakt een afzonderlijk planair vlak vanuit elke draad. Geen ondersteuning voor gaten; de draden kunnen zich op verschillende vlakken bevinden. + Maakt een afzonderlijk plenair vlak vanuit elke polygonale lijn. Geen ondersteuning voor gaten; de polygonale lijnen kunnen zich op verschillende vlakken bevinden. diff --git a/src/Mod/Part/Gui/Resources/translations/Part_pl.ts b/src/Mod/Part/Gui/Resources/translations/Part_pl.ts index a1b48fe72111..f26fb0684f9d 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_pl.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_pl.ts @@ -2253,7 +2253,7 @@ Ujęcie widoku określa kierunek rzutowania. Section - Przekrój + Przecięcie @@ -2556,7 +2556,7 @@ Uwaga: Położenie jest wyrażone w przestrzeni lokalnej dołączanego obiektu.< Section - Przecięcie + Przekrój @@ -4780,7 +4780,7 @@ only created cuts will be visible Wrong selection - Nieprawidłowy wybór + Niewłaściwy wybór @@ -4893,7 +4893,7 @@ only created cuts will be visible Wrong selection - Niewłaściwy wybór + Nieprawidłowy wybór @@ -5676,8 +5676,8 @@ in the 3D view for the sweep path. - + Edit %1 Edytuj %1 @@ -5768,27 +5768,27 @@ Do you want to continue? Nie wybrano odniesienia - + Face - Ściana + Powierzchnia - + Edge Krawędź - + Vertex Wierzchołek Compound - Kształt złożony + Złożenie @@ -6203,7 +6203,7 @@ Do you want to continue? Compound - Złożenie + Kształt złożony @@ -6334,7 +6334,7 @@ Do you want to continue? Bad selection - Błędny wybór + Nieprawidłowy wybór @@ -6386,7 +6386,7 @@ do filtrowania według kolizji lub odległości. Bad selection - Nieprawidłowy wybór + Błędny wybór diff --git a/src/Mod/Part/Gui/Resources/translations/Part_pt-BR.ts b/src/Mod/Part/Gui/Resources/translations/Part_pt-BR.ts index 9b0c6aa15c66..80a62599d677 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_pt-BR.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_pt-BR.ts @@ -5656,8 +5656,8 @@ in the 3D view for the sweep path. - + Edit %1 Editar %1 @@ -5749,20 +5749,20 @@ Deseja continuar? Nenhuma referência selecionada - + Face Face - + Edge Aresta - + Vertex Vértice diff --git a/src/Mod/Part/Gui/Resources/translations/Part_pt-PT.ts b/src/Mod/Part/Gui/Resources/translations/Part_pt-PT.ts index c558b9998bde..58bc42307e32 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_pt-PT.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_pt-PT.ts @@ -5669,8 +5669,8 @@ in the 3D view for the sweep path. - + Edit %1 Edite %1 @@ -5761,20 +5761,20 @@ Do you want to continue? Nenhuma referência selecionada - + Face Face - + Edge Borda - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ro.ts b/src/Mod/Part/Gui/Resources/translations/Part_ro.ts index 88fd687fb8e7..8fb27a6893e4 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ro.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ro.ts @@ -5675,8 +5675,8 @@ in vizualizarea 3D pentru calea maturarii. - + Edit %1 Editare %1 @@ -5767,20 +5767,20 @@ Do you want to continue? Nicio referință selecționată - + Face Faţă - + Edge Margine - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_ru.ts b/src/Mod/Part/Gui/Resources/translations/Part_ru.ts index 78e230c3afdf..369eb7775150 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_ru.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_ru.ts @@ -2254,7 +2254,7 @@ of projection. Section - Разрез (Сечение) + Разделить @@ -2360,7 +2360,7 @@ of projection. Solid - Твердое тело + Твердотельный объект @@ -2557,7 +2557,7 @@ Note: The placement is expressed in local space of object being attached. Section - Разделить + Разрез (Сечение) @@ -2685,7 +2685,7 @@ Note: The placement is expressed in local space of object being attached. STEP - STEP + ШАГ @@ -2994,7 +2994,7 @@ If both lengths are zero, magnitude of direction is used. Shape - Фигура(ы) + Фигура @@ -3278,7 +3278,7 @@ Please check one or more edge entities first. Import - импорт + Импорт @@ -3389,7 +3389,7 @@ during file reading (slower but higher details). Position: - Расположение: + Позиция: @@ -3442,7 +3442,7 @@ during file reading (slower but higher details). Position: - Позиция: + Расположение: @@ -3524,7 +3524,7 @@ during file reading (slower but higher details). STEP - ШАГ + STEP @@ -4514,7 +4514,7 @@ the sketch plane's normal vector will be used Loft - Чердак (под крышей) + Профиль @@ -4778,7 +4778,7 @@ only created cuts will be visible Wrong selection - Неправильное выделение + Неправильный выбор @@ -4891,7 +4891,7 @@ only created cuts will be visible Wrong selection - Неправильный выбор + Неправильное выделение @@ -5434,7 +5434,7 @@ by dragging a selection rectangle in the 3D view Loft - Профиль + Чердак (под крышей) @@ -5673,8 +5673,8 @@ in the 3D view for the sweep path. - + Edit %1 Редактировать %1 @@ -5765,27 +5765,28 @@ Do you want to continue? Не выбрано ни одного ориентира - + Face Грань - + Edge Ребро - + Vertex Вершина Compound - Объединение + Соединить +Группировка @@ -5795,7 +5796,7 @@ Do you want to continue? Solid - Твердотельный объект + Твердое тело @@ -5810,7 +5811,7 @@ Do you want to continue? Shape - Фигура + Фигура(ы) @@ -6170,7 +6171,7 @@ Do you want to continue? Solids - Массивы + Твердотельные объекты @@ -6200,8 +6201,7 @@ Do you want to continue? Compound - Соединить -Группировка + Объединение @@ -6211,7 +6211,7 @@ Do you want to continue? Measure - Измерения + Измерить @@ -6573,7 +6573,7 @@ It will create a 'Compound Filter' for each shape. Solids - Твердотельные объекты + Массивы diff --git a/src/Mod/Part/Gui/Resources/translations/Part_sl.ts b/src/Mod/Part/Gui/Resources/translations/Part_sl.ts index c6deb028b58d..98a5a3cbdd14 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sl.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sl.ts @@ -226,7 +226,7 @@ Vertex AttachmentPoint mode caption - Vertex + Oglišče @@ -2995,7 +2995,7 @@ If both lengths are zero, magnitude of direction is used. Shape - Oblika(e) + Oblika @@ -4781,7 +4781,7 @@ bodo prikazane le prerezne ploskve Wrong selection - Napačen izbor + Napačna izbira @@ -4894,7 +4894,7 @@ bodo prikazane le prerezne ploskve Wrong selection - Napačna izbira + Napačen izbor @@ -4975,7 +4975,7 @@ bodo prikazane le prerezne ploskve Attachment Offset (in local coordinates): - Odmik pripetka (v lokalnih koordinatah): + Odmik pripetka (v krajevnih sorednicah): @@ -5679,8 +5679,8 @@ in the 3D view for the sweep path. - + Edit %1 Uredi %1 @@ -5772,22 +5772,22 @@ Ali želite nadaljevati? Noben sklic ni izbran - + Face Ploskev - + Edge Rob - + Vertex - Oglišče + Vertex @@ -5817,7 +5817,7 @@ Ali želite nadaljevati? Shape - Oblika + Oblika(e) @@ -6457,7 +6457,7 @@ Za vsako obliko bo ustvarjeno "Sito sestava". Continue - Naprej + Nadaljuj @@ -6523,7 +6523,7 @@ Za vsako obliko bo ustvarjeno "Sito sestava". Attachment Offset (in local coordinates): - Odmik pripetka (v krajevnih sorednicah): + Odmik pripetka (v lokalnih koordinatah): diff --git a/src/Mod/Part/Gui/Resources/translations/Part_sr-CS.ts b/src/Mod/Part/Gui/Resources/translations/Part_sr-CS.ts index 956944b11a33..4fce3ed0d86e 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sr-CS.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sr-CS.ts @@ -226,7 +226,7 @@ Vertex AttachmentPoint mode caption - Vertex + Teme @@ -3068,7 +3068,7 @@ Ako su obe dužine nula, koristi se jedinična vrednost. Length: - Length: + Dužina: @@ -3641,7 +3641,7 @@ during file reading (slower but higher details). Length: - Dužina: + Length: @@ -5665,7 +5665,7 @@ in the 3D view for the sweep path. Input error - Greška pri unosu + Input error @@ -5673,8 +5673,8 @@ in the 3D view for the sweep path. - + Edit %1 Uredi %1 @@ -5766,22 +5766,22 @@ Da li želiš da nastaviš? Nije izabrana referenca - + Face Stranica - + Edge Ivica - + Vertex - Teme + Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_sr.ts b/src/Mod/Part/Gui/Resources/translations/Part_sr.ts index 43d18d09b840..8417952b2f21 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sr.ts @@ -226,7 +226,7 @@ Vertex AttachmentPoint mode caption - Vertex + Теме @@ -5672,8 +5672,8 @@ in the 3D view for the sweep path. - + Edit %1 Уреди %1 @@ -5765,22 +5765,22 @@ Do you want to continue? Није изабрана референца - + Face Страница - + Edge Ивица - + Vertex - Теме + Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_sv-SE.ts b/src/Mod/Part/Gui/Resources/translations/Part_sv-SE.ts index a61102f694e0..a1c88ac1226c 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_sv-SE.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_sv-SE.ts @@ -5676,8 +5676,8 @@ in the 3D view for the sweep path. - + Edit %1 Redigera %1 @@ -5755,7 +5755,7 @@ Vill du fortsätta? All Files - Alla filer + Alla Filer @@ -5769,20 +5769,20 @@ Vill du fortsätta? Ingen referens markerad - + Face Yta - + Edge Kant - + Vertex Hörn diff --git a/src/Mod/Part/Gui/Resources/translations/Part_tr.ts b/src/Mod/Part/Gui/Resources/translations/Part_tr.ts index 85411ea0a404..66caee4796b5 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_tr.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_tr.ts @@ -5655,8 +5655,8 @@ bir veya daha fazla profil seçin ilave kenar veya tel seçin. - + Edit %1 %1'i düzenle @@ -5748,20 +5748,20 @@ Devam etmek istiyor musun? Seçilen referans yok - + Face Yüz - + Edge Kenar - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_uk.ts b/src/Mod/Part/Gui/Resources/translations/Part_uk.ts index c0897bb4b063..78a058c9dc66 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_uk.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_uk.ts @@ -5680,8 +5680,8 @@ in the 3D view for the sweep path. - + Edit %1 Редагувати %1 @@ -5772,20 +5772,20 @@ Do you want to continue? Не вибрано орієнтира - + Face Грань - + Edge Ребро - + Vertex Вершина diff --git a/src/Mod/Part/Gui/Resources/translations/Part_val-ES.ts b/src/Mod/Part/Gui/Resources/translations/Part_val-ES.ts index d07a7513f78a..ed79b05b7058 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_val-ES.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_val-ES.ts @@ -5669,8 +5669,8 @@ in the 3D view for the sweep path. - + Edit %1 Edita %1 @@ -5761,20 +5761,20 @@ Do you want to continue? No s'ha seleccionat cap referència. - + Face Cara - + Edge Aresta - + Vertex Vertex diff --git a/src/Mod/Part/Gui/Resources/translations/Part_zh-CN.ts b/src/Mod/Part/Gui/Resources/translations/Part_zh-CN.ts index 480c4852c259..fc9cc7723c10 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_zh-CN.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_zh-CN.ts @@ -5667,8 +5667,8 @@ in the 3D view for the sweep path. - + Edit %1 编辑 %1 @@ -5759,20 +5759,20 @@ Do you want to continue? 没有参照被选中 - + Face - + Edge - + Vertex 顶点 diff --git a/src/Mod/Part/Gui/Resources/translations/Part_zh-TW.ts b/src/Mod/Part/Gui/Resources/translations/Part_zh-TW.ts index cdb8b98cabfa..5bb8a60e9e5c 100644 --- a/src/Mod/Part/Gui/Resources/translations/Part_zh-TW.ts +++ b/src/Mod/Part/Gui/Resources/translations/Part_zh-TW.ts @@ -226,7 +226,7 @@ Vertex AttachmentPoint mode caption - Vertex + 頂點 @@ -5642,8 +5642,8 @@ in the 3D view for the sweep path. - + Edit %1 編輯 %1 @@ -5735,22 +5735,22 @@ Do you want to continue? 尚未選擇參考之物件 - + Face - + Edge - + Vertex - 頂點 + Vertex diff --git a/src/Mod/Part/Gui/TaskCheckGeometry.cpp b/src/Mod/Part/Gui/TaskCheckGeometry.cpp index 4599219825f4..fb0333edb6ea 100644 --- a/src/Mod/Part/Gui/TaskCheckGeometry.cpp +++ b/src/Mod/Part/Gui/TaskCheckGeometry.cpp @@ -678,13 +678,13 @@ int TaskCheckGeometryResults::goBOPSingleCheck(const TopoDS_Shape& shapeIn, Resu BOPCheck.CurveOnSurfaceMode() = curveOnSurfaceMode; #ifdef FC_DEBUG - Base::TimeInfo start_time; + Base::TimeElapsed start_time; #endif BOPCheck.Perform(); #ifdef FC_DEBUG - float bopAlgoTime = Base::TimeInfo::diffTimeF(start_time,Base::TimeInfo()); + float bopAlgoTime = Base::TimeElapsed::diffTimeF(start_time, Base::TimeElapsed()); std::cout << std::endl << "BopAlgo check time is: " << bopAlgoTime << std::endl << std::endl; #endif diff --git a/src/Mod/Part/Gui/ViewProviderExt.cpp b/src/Mod/Part/Gui/ViewProviderExt.cpp index 8b425d3b99e5..e0fd102b584c 100644 --- a/src/Mod/Part/Gui/ViewProviderExt.cpp +++ b/src/Mod/Part/Gui/ViewProviderExt.cpp @@ -921,7 +921,7 @@ void ViewProviderPartExt::updateVisual() } // time measurement and book keeping - Base::TimeInfo start_time; + Base::TimeElapsed start_time; int numTriangles=0,numNodes=0,numNorms=0,numFaces=0,numEdges=0,numLines=0; std::set faceEdges; @@ -1281,7 +1281,7 @@ void ViewProviderPartExt::updateVisual() # ifdef FC_DEBUG // printing some information - Base::Console().Log("ViewProvider update time: %f s\n",Base::TimeInfo::diffTimeF(start_time,Base::TimeInfo())); + Base::Console().Log("ViewProvider update time: %f s\n",Base::TimeElapsed::diffTimeF(start_time,Base::TimeElapsed())); Base::Console().Log("Shape tria info: Faces:%d Edges:%d Nodes:%d Triangles:%d IdxVec:%d\n",numFaces,numEdges,numNodes,numTriangles,numLines); # else (void)numEdges; diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts index a1f1547ab39b..fd2101369be5 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign.ts @@ -877,8 +877,8 @@ so that self intersection is avoided. - + Make copy @@ -903,8 +903,8 @@ so that self intersection is avoided. - + Add a Body @@ -934,22 +934,22 @@ so that self intersection is avoided. - + Mirrored - + Make LinearPattern - + PolarPattern - + Scaled @@ -2040,73 +2040,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - - - - - Remove feature - - - - - List can be reordered by dragging - - - - + Direction - + Reverse direction - + Mode - + Overall Length - - + + Offset - + Length - + Occurrences - - OK - - - - - Update view - - - - - Remove - - - - + Error @@ -2167,115 +2137,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - - - - - Remove feature - - - - - List can be reordered by dragging - - - - + Plane - - OK - - - - - Update view - - - - - Remove - - - - + Error PartDesignGui::TaskMultiTransformParameters - - - Add feature - - - Remove feature - - - - - List can be reordered by dragging - - - - Transformations - - Update view - - - - - Remove + + OK - + Edit - + Delete - + Add mirrored transformation - + Add linear pattern - + Add polar pattern - + Add scaled transformation - + Move up - + Move down @@ -2727,77 +2647,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - - - - - Remove feature - - - - - List can be reordered by dragging - - - - + Axis - + Reverse direction - + Mode - + Overall Angle - + Offset Angle - + Angle - + Offset - + Occurrences - - OK - - - - - Update view - - - - - Remove - - - - + Error @@ -2933,40 +2823,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - - - - - Remove feature - - - - + Factor - + Occurrences - - - OK - - - - - Update view - - - - - Remove - - PartDesignGui::TaskShapeBinder @@ -3087,62 +2952,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + + + + Normal sketch axis - + Vertical sketch axis - + Horizontal sketch axis - - + + Construction line %1 - + Base X axis - + Base Y axis - + Base Z axis - - + + Select reference... - + Base XY plane - + Base YZ plane - + Base XZ plane + + + Add feature + + + + + Remove feature + + + + + List can be reordered by dragging + + + + + Update view + + PartDesignGui::ViewProviderChamfer @@ -3436,28 +3326,28 @@ click again to end selection - - - - - - + + + + + + A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? @@ -3719,14 +3609,14 @@ This may lead to unexpected results. + - Vertical sketch axis + - Horizontal sketch axis @@ -3778,15 +3668,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr - - + + Edit %1 - + Set colors... @@ -4696,83 +4586,83 @@ over 90: larger hole radius at the bottom - + Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body - + Base shape is null - + Tool shape is null - + Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid - + Cut out failed - + Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. @@ -4835,8 +4725,8 @@ over 90: larger hole radius at the bottom - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4844,14 +4734,14 @@ over 90: larger hole radius at the bottom - + Creating a face from sketch failed - + Revolve axis intersects the sketch @@ -4861,14 +4751,14 @@ over 90: larger hole radius at the bottom - + Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. @@ -4922,10 +4812,10 @@ Intersecting sketch entities in a sketch are not allowed. + - Error: Result is not a solid @@ -5027,15 +4917,15 @@ Intersecting sketch entities in a sketch are not allowed. - + Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts index b45cde70743d..fc2d540cb73d 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_be.ts @@ -884,8 +884,8 @@ False = унутраная шасцярня Стварыць дублікат - + Make copy Зрабіць копію @@ -910,8 +910,8 @@ False = унутраная шасцярня Стварыць лагічную аперацыю - + Add a Body Дадаць цела @@ -941,22 +941,22 @@ False = унутраная шасцярня Рухаць аб'ект унутры дрэва - + Mirrored Сiметрыя - + Make LinearPattern Зрабіць Лінейны шаблон - + PolarPattern Палярны шаблон - + Scaled Маштабны @@ -1601,7 +1601,7 @@ click again to end selection Input error - Input error + Памылка ўводу @@ -1662,7 +1662,7 @@ click again to end selection Select - Абраць + Select @@ -1902,7 +1902,7 @@ click again to end selection Select reference... - Select reference... + Абраць апорны элемент... @@ -2056,73 +2056,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Дадаць элемент - - - - Remove feature - Выдаліць элемент - - - - List can be reordered by dragging - Спіс можна парадкаваць перацягваннем - - - + Direction Напрамак - + Reverse direction Развярнуць напрамак - + Mode Рэжым - + Overall Length Агульная даўжыня - - + + Offset Зрушэнне - + Length Даўжыня - + Occurrences Выступы - - OK - OK - - - - Update view - Абнавіць выгляд - - - - Remove - Выдаліць - - - + Error Памылка @@ -2183,115 +2153,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Дадаць элемент - - - - Remove feature - Выдаліць элемент - - - - List can be reordered by dragging - Спіс можна парадкаваць перацягваннем - - - + Plane Плоскасць - - OK - OK - - - - Update view - Абнавіць выгляд - - - - Remove - Выдаліць - - - + Error Памылка PartDesignGui::TaskMultiTransformParameters - - - Add feature - Дадаць элемент - - Remove feature - Выдаліць элемент - - - - List can be reordered by dragging - Спіс можна парадкаваць перацягваннем - - - Transformations Пераўтварэнні - - Update view - Абнавіць выгляд - - - - Remove - Выдаліць + + OK + OK - + Edit Змяніць - + Delete Выдаліць - + Add mirrored transformation Дадаць сіметрычнае пераўтварэнне - + Add linear pattern Дадаць лінейны шаблон - + Add polar pattern Дадаць палярны шаблон - + Add scaled transformation Дадаць маштабнае пераўтварэнне - + Move up Рухаць уверх - + Move down Рухаць уніз @@ -2465,7 +2385,7 @@ measured along the specified direction Reversed - Reversed + Наадварот @@ -2649,7 +2569,7 @@ measured along the specified direction Input error - Памылка ўводу + Input error @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Дадаць элемент - - - - Remove feature - Выдаліць элемент - - - - List can be reordered by dragging - Спіс можна парадкаваць перацягваннем - - - + Axis Вось - + Reverse direction Развярнуць напрамак - + Mode Рэжым - + Overall Angle Агульны вугал - + Offset Angle Вугал зрушэння - + Angle Вугал - + Offset Зрушэнне - + Occurrences Выступы - - OK - OK - - - - Update view - Абнавіць выгляд - - - - Remove - Выдаліць - - - + Error Памылка @@ -2868,12 +2758,12 @@ measured along the specified direction Horizontal sketch axis - Horizontal sketch axis + Гарызантальная вось эскізу Vertical sketch axis - Vertical sketch axis + Вертыкальная вось эскізу @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Дадаць элемент - - - - Remove feature - Выдаліць элемент - - - + Factor Каэфіцыент - + Occurrences Выступы - - - OK - OK - - - - Update view - Абнавіць выгляд - - - - Remove - Выдаліць - PartDesignGui::TaskShapeBinder @@ -3035,7 +2900,7 @@ click again to end selection Select - Select + Абраць @@ -3108,62 +2973,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Выдаліць + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Вертыкальная вось эскізу - + Horizontal sketch axis Гарызантальная вось эскізу - - + + Construction line %1 Будаўнічая лінія %1 - + Base X axis Асноўная вось X - + Base Y axis Асноўная вось Y - + Base Z axis Асноўная вось Z - - + + Select reference... - Абраць апорны элемент... + Select reference... - + Base XY plane Асноўная плоскасць XY - + Base YZ plane Асноўная плоскасць YZ - + Base XZ plane Асноўная плоскасць XZ + + + Add feature + Дадаць элемент + + + + Remove feature + Выдаліць элемент + + + + List can be reordered by dragging + Спіс можна парадкаваць перацягваннем + + + + Update view + Абнавіць выгляд + PartDesignGui::ViewProviderChamfer @@ -3457,28 +3347,28 @@ click again to end selection Калі ласка, спачатку стварыце плоскасць, альбо абярыце грань на эскізе - - - - - - + + + + + + A dialog is already open in the task panel На панэлі задач дыялогавае акно ўжо адчыненае - - - - - - + + + + + + Do you want to close this dialog? Ці жадаеце вы зачыніць дыялогавае акно? @@ -3746,16 +3636,16 @@ This may lead to unexpected results. Немагчыма стварыць элемент адымання без даступнага асноўнага элементу + - Vertical sketch axis - Вертыкальная вось эскізу + Vertical sketch axis + - Horizontal sketch axis - Гарызантальная вось эскізу + Horizontal sketch axis @@ -3807,15 +3697,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Каб ужыць гэты элемент, ён павінен належаць да аб'екту дэталі ў дакуменце. - - + + Edit %1 Змяніць %1 - + Set colors... Задаць колеры... @@ -4308,7 +4198,7 @@ Only available for holes without thread Standard - Звычайны + Стандартны @@ -4469,7 +4359,7 @@ over 90: larger hole radius at the bottom Reversed - Наадварот + Reversed @@ -4734,83 +4624,83 @@ over 90: larger hole radius at the bottom Асноўны элемент мае пустую фігуру - + Cannot do boolean cut without BaseFeature Немагчыма выканаць лагічнае выразанне без асноўнага элементу - - + + Cannot do boolean with anything but Part::Feature and its derivatives Немагчыма зрабіць лагічную аперацыю ні з чым, акрамя Дэталі::Элементу (Part::Feature) і яе вытворнай - + Cannot do boolean operation with invalid base shape Немагчыма зрабіць лагічную аперацыю з хібнай асноўнай фігурай - + Cannot do boolean on feature which is not in a body Немагчыма зрабіць лагічную аперацыю для элемента, якога няма ў целе - + Base shape is null Асноўнай фігура пустая - + Tool shape is null Фігура інструмента пустая - + Fusion of tools failed Зліццё інструментаў не атрымалася - - - - - + - + + + + + Resulting shape is not a solid Выніковая фігура атрымалася не суцэльным целам - + Cut out failed Выразаць не атрымалася - + Common operation failed Агульная аперацыя завяршылася няўдачай - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Вынік змяшчае некалькі суцэльных цел: у бягучы час гэтае не падтрымліваецца. @@ -4873,8 +4763,8 @@ over 90: larger hole radius at the bottom Вугал пазу занадта малы - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4884,14 +4774,14 @@ over 90: larger hole radius at the bottom - абраны эскіз не належыць да бягучага Цела. - + Creating a face from sketch failed Не атрымалася стварыць грань з эскізу - + Revolve axis intersects the sketch Вось вярчэння перасякае эскіз @@ -4901,14 +4791,14 @@ over 90: larger hole radius at the bottom Не атрымалася выразаць асноўны элемент - + Could not revolve the sketch! Не атрымалася павярнуць эскіз! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Не атрымалася стварыць грань з эскізу. @@ -4963,10 +4853,10 @@ Intersecting sketch entities in a sketch are not allowed. Памылка: не атрымалася пабудаваць + - Error: Result is not a solid Памылка: вынік не суцэльнае цела @@ -5068,15 +4958,15 @@ Intersecting sketch entities in a sketch are not allowed. Памылка: не атрымалася дадаць разьбу - + Boolean operation failed Лагічная аперацыя завяршылася няўдачай - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Не атрымалася стварыць грань з эскізу. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts index 0caac2d6f98b..1e31bca2cdf1 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ca.ts @@ -883,8 +883,8 @@ de manera que s'evita l'autointersecció. Crea un clon - + Make copy Fer còpia @@ -909,8 +909,8 @@ de manera que s'evita l'autointersecció. Crea booleà - + Add a Body Afegiu un cos @@ -940,22 +940,22 @@ de manera que s'evita l'autointersecció. Mou un objecte dins de l'arbre - + Mirrored Reflectit - + Make LinearPattern Fer Patró Lineal - + PolarPattern Patró Polar - + Scaled Escalat @@ -2057,73 +2057,43 @@ clica altre cop per finalitzar la selecció PartDesignGui::TaskLinearPatternParameters - - Add feature - Afegir paràmetre - - - - Remove feature - Eliminar cara - - - - List can be reordered by dragging - La llista es pot reordenar arrossegant - - - + Direction Direcció - + Reverse direction Reverse direction - + Mode Modus - + Overall Length Overall Length - - + + Offset Equidistancia (ofset) - + Length Longitud - + Occurrences Ocurrències - - OK - D'acord - - - - Update view - Actualització vista - - - - Remove - Elimina - - - + Error Error @@ -2184,115 +2154,65 @@ clica altre cop per finalitzar la selecció PartDesignGui::TaskMirroredParameters - - Add feature - Afegir paràmetre - - - - Remove feature - Eliminar cara - - - - List can be reordered by dragging - La llista es pot reordenar arrossegant - - - + Plane Pla - - OK - D'acord - - - - Update view - Actualització vista - - - - Remove - Elimina - - - + Error Error PartDesignGui::TaskMultiTransformParameters - - - Add feature - Afegir paràmetre - - Remove feature - Eliminar cara - - - - List can be reordered by dragging - La llista es pot reordenar arrossegant - - - Transformations Transformacions - - Update view - Actualització vista - - - - Remove - Elimina + + OK + D'acord - + Edit Edita - + Delete Elimina - + Add mirrored transformation Afegir la transformació de reflexió - + Add linear pattern Afegir patró lineal - + Add polar pattern Afegeix un patró polar - + Add scaled transformation Afegir transformació escalada - + Move up Mou amunt - + Move down Mou avall @@ -2747,77 +2667,47 @@ mesurada al llarg de la direcció especificada PartDesignGui::TaskPolarPatternParameters - - Add feature - Afegir paràmetre - - - - Remove feature - Eliminar cara - - - - List can be reordered by dragging - La llista es pot reordenar arrossegant - - - + Axis Eix - + Reverse direction Reverse direction - + Mode Modus - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Angle - + Offset Equidistancia (ofset) - + Occurrences Ocurrències - - OK - D'acord - - - - Update view - Actualització vista - - - - Remove - Elimina - - - + Error Error @@ -2953,40 +2843,15 @@ mesurada al llarg de la direcció especificada PartDesignGui::TaskScaledParameters - - Add feature - Afegir paràmetre - - - - Remove feature - Eliminar cara - - - + Factor Factor - + Occurrences Ocurrències - - - OK - D'acord - - - - Update view - Actualització vista - - - - Remove - Elimina - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ clica altre cop per finalitzar la selecció PartDesignGui::TaskTransformedParameters - + + Remove + Elimina + + + Normal sketch axis Eix normal al croquis - + Vertical sketch axis Eix vertical de croquis - + Horizontal sketch axis Eix horitzontal de croquis - - + + Construction line %1 Construcció línia %1 - + Base X axis Eix base X - + Base Y axis Eix base Y - + Base Z axis Eix base Z - - + + Select reference... Seleccioneu referència... - + Base XY plane Base pla XY - + Base YZ plane Pla YZ base - + Base XZ plane Base pla XZ + + + Add feature + Afegir paràmetre + + + + Remove feature + Eliminar cara + + + + List can be reordered by dragging + La llista es pot reordenar arrossegant + + + + Update view + Actualització vista + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ clica altre cop per finalitzar la selecció Si us plau, crear un plànol primer o seleccioneu una cara a esbossar - - - - - - + + + + + + A dialog is already open in the task panel A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? Do you want to close this dialog? @@ -3746,14 +3636,14 @@ Això pot portar a resultats inesperats. No és possible crear un pla Sustractiu sense una base pla disponible + - Vertical sketch axis Eix vertical de croquis + - Horizontal sketch axis Eix horitzontal de croquis @@ -3807,15 +3697,15 @@ Si teniu un document antic amb objectes PartDesign sense cos, utilitzeu la funci Per utilitzar aquesta característica cal que pertanyen a un objecte de part del document. - - + + Edit %1 Editar %1 - + Set colors... Conjunts de colors... @@ -4734,83 +4624,83 @@ més de 90: radi de forat més gran a la part inferior BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4873,8 +4763,8 @@ més de 90: radi de forat més gran a la part inferior Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4884,14 +4774,14 @@ més de 90: radi de forat més gran a la part inferior - l'esbós seleccionat no pertany al Cos actiu. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4901,14 +4791,14 @@ més de 90: radi de forat més gran a la part inferior Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4963,10 +4853,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5068,15 +4958,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts index f9f039f998b7..727abf0ef662 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_cs.ts @@ -883,8 +883,8 @@ aby se zabránilo sebe. Vytvořit klon - + Make copy Vytvořit kopii @@ -909,8 +909,8 @@ aby se zabránilo sebe. Použít booleovské operace - + Add a Body Přidat těleso @@ -940,22 +940,22 @@ aby se zabránilo sebe. Přesunout objekt dovnitř stromu - + Mirrored Zrcadlit - + Make LinearPattern Vytvořit lineární pole - + PolarPattern Kruhové pole - + Scaled Změna měřítka @@ -2057,73 +2057,43 @@ klikněte znovu pro ukončení výběru PartDesignGui::TaskLinearPatternParameters - - Add feature - Přidat prvek - - - - Remove feature - Odstranit prvek - - - - List can be reordered by dragging - Seznam lze přeřadit přetažením - - - + Direction Směr - + Reverse direction Obrátit směr - + Mode Způsob - + Overall Length Celková délka - - + + Offset Odstup - + Length Délka - + Occurrences Počet výskytů - - OK - OK - - - - Update view - Aktualizovat zobrazení - - - - Remove - Odstranit - - - + Error Chyba @@ -2184,115 +2154,65 @@ klikněte znovu pro ukončení výběru PartDesignGui::TaskMirroredParameters - - Add feature - Přidat prvek - - - - Remove feature - Odstranit prvek - - - - List can be reordered by dragging - Seznam lze přeřadit přetažením - - - + Plane Rovina - - OK - OK - - - - Update view - Aktualizovat zobrazení - - - - Remove - Odstranit - - - + Error Chyba PartDesignGui::TaskMultiTransformParameters - - - Add feature - Přidat prvek - - Remove feature - Odstranit prvek - - - - List can be reordered by dragging - Seznam lze přeřadit přetažením - - - Transformations Transformace - - Update view - Aktualizovat zobrazení - - - - Remove - Odstranit + + OK + OK - + Edit Upravit - + Delete Odstranit - + Add mirrored transformation Přidat zrcadlovou transformaci - + Add linear pattern Přidat lineární pole - + Add polar pattern Přidat kruhové pole - + Add scaled transformation Přidat transformaci měřítka - + Move up Posunout nahorů - + Move down Posunout dolů @@ -2747,77 +2667,47 @@ měřena ve stanoveném směru PartDesignGui::TaskPolarPatternParameters - - Add feature - Přidat prvek - - - - Remove feature - Odstranit prvek - - - - List can be reordered by dragging - Seznam lze přeřadit přetažením - - - + Axis Osa - + Reverse direction Obrátit směr - + Mode Způsob - + Overall Angle Celkový úhel - + Offset Angle Úhel odstupu - + Angle Úhel - + Offset Odstup - + Occurrences Počet výskytů - - OK - OK - - - - Update view - Aktualizovat zobrazení - - - - Remove - Odstranit - - - + Error Chyba @@ -2953,40 +2843,15 @@ měřena ve stanoveném směru PartDesignGui::TaskScaledParameters - - Add feature - Přidat prvek - - - - Remove feature - Odstranit prvek - - - + Factor měřítko - + Occurrences Počet výskytů - - - OK - OK - - - - Update view - Aktualizovat zobrazení - - - - Remove - Odstranit - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ klikněte znovu pro ukončení výběru PartDesignGui::TaskTransformedParameters - + + Remove + Odstranit + + + Normal sketch axis Normálová osa roviny náčrtu - + Vertical sketch axis Svislá skicovací osa - + Horizontal sketch axis Vodorovná skicovací osa - - + + Construction line %1 Konstrukční čára %1 - + Base X axis Základní osa X - + Base Y axis Základní osa Y - + Base Z axis Základní osa Z - - + + Select reference... Vyber referenci... - + Base XY plane Základní rovina XY - + Base YZ plane Základní rovina YZ - + Base XZ plane Základní rovina XZ + + + Add feature + Přidat prvek + + + + Remove feature + Odstranit prvek + + + + List can be reordered by dragging + Seznam lze přeřadit přetažením + + + + Update view + Aktualizovat zobrazení + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ klikněte znovu pro ukončení výběru Nejprve vytvořte rovinu nebo vyberte plochu, na kterou chcete vytvořit náčrt - - - - - - + + + + + + A dialog is already open in the task panel Dialog je opravdu otevřen v panelu úloh - - - - - - + + + + + + Do you want to close this dialog? Chcete zavřít tento dialog? @@ -3748,14 +3638,14 @@ To může vést k neočekávaným výsledkům. Není možné vytvořit odečtový prvek bez základního prvku + - Vertical sketch axis Svislá skicovací osa + - Horizontal sketch axis Vodorovná skicovací osa @@ -3809,15 +3699,15 @@ Pokud máte starší dokument s objekty PartDesignu bez tělesa, použijte funkc Pro použití tohoto prvku je potřebné, aby patřil k objektu díl v dokumentu. - - + + Edit %1 Upravit %1 - + Set colors... Nastavení barev... @@ -4737,83 +4627,83 @@ nad 90: větší poloměr díry ve spodní části Základní prvek má prázdný tvar - + Cannot do boolean cut without BaseFeature Booleovský řez nelze provést bez základního prvku - - + + Cannot do boolean with anything but Part::Feature and its derivatives Boolean nelze provést s ničím jiným než prvkem dílu a její derivací - + Cannot do boolean operation with invalid base shape Booleovskou operaci nelze provést s neplatným základním tvarem - + Cannot do boolean on feature which is not in a body Boolean nelze provést na prvku, který není v tělesu - + Base shape is null Základní tvar je null - + Tool shape is null Nástroj tvaru je null - + Fusion of tools failed Sloučení nástrojů se nezdařilo - - - - - + - + + + + + Resulting shape is not a solid Výsledný tvar není plné těleso - + Cut out failed Výřez se nezdařil - + Common operation failed Operace průniku selhala - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Výsledek se skládá z více těles: to není v současné době podporováno. @@ -4876,8 +4766,8 @@ nad 90: větší poloměr díry ve spodní části Úhel drážky příliš malý - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4888,14 +4778,14 @@ nad 90: větší poloměr díry ve spodní části - vybraný náčrt nepatří k aktivnímu tělesu. - + Creating a face from sketch failed Vytvoření plochy z náčrtu selhalo - + Revolve axis intersects the sketch Osa otáčení protíná náčrt @@ -4905,14 +4795,14 @@ nad 90: větší poloměr díry ve spodní části Výřez zakladního prvku selhal - + Could not revolve the sketch! Nelze otočit náčrt! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Nelze vytvořit plochu z náčrtu. @@ -4967,10 +4857,10 @@ Protínání entit náčrtu v náčrtu není povoleno. Chyba: Nelze vytvořit + - Error: Result is not a solid Chyba: Výsledek není plné těleso @@ -5072,15 +4962,15 @@ Protínání entit náčrtu v náčrtu není povoleno. Chyba: Přidání závitu selhalo - + Boolean operation failed Booleovská operace selhala - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Nelze vytvořit plochu z náčrtu. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts index c76081cfd312..29400dac88f1 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_de.ts @@ -883,8 +883,8 @@ damit eine Selbstdurchdringung vermieden wird. Klon erstellen - + Make copy Kopie erstellen @@ -909,8 +909,8 @@ damit eine Selbstdurchdringung vermieden wird. Boolean erstellen - + Add a Body Einen Körper hinzufügen @@ -940,22 +940,22 @@ damit eine Selbstdurchdringung vermieden wird. Objekt innerhalb des Baumes verschieben - + Mirrored Spiegeln - + Make LinearPattern Lineares Muster erstellen - + PolarPattern Polares Muster - + Scaled skaliert @@ -1609,8 +1609,8 @@ Nochmaliges Klicken beendet den Auswahl-Modus. Click button to enter selection mode, click again to end selection - Klicken Sie auf den Button um in den Auswahl-Modus zu gelangen. -Nochmaliges Klicken beendet den Auswahl-Modus. + Klicken Sie auf die Schaltfläche, um den Auswahlmodus zu betreten, +erneut klicken um die Auswahl zu beenden @@ -1677,7 +1677,7 @@ Nochmaliges Klicken beendet den Auswahl-Modus. Remove - Löschen + Entfernen @@ -2056,73 +2056,43 @@ erneut klicken um die Auswahl zu beenden PartDesignGui::TaskLinearPatternParameters - - Add feature - Element hinzufügen - - - - Remove feature - Element entfernen - - - - List can be reordered by dragging - Die Liste kann durch Ziehen neu sortiert werden - - - + Direction Richtung - + Reverse direction Richtung umkehren - + Mode Modus - + Overall Length Gesamtlänge - - + + Offset Versetzen - + Length Länge - + Occurrences Vorkommen - - OK - OK - - - - Update view - Ansicht aktualisieren - - - - Remove - Entfernen - - - + Error Fehler @@ -2183,115 +2153,65 @@ erneut klicken um die Auswahl zu beenden PartDesignGui::TaskMirroredParameters - - Add feature - Element hinzufügen - - - - Remove feature - Element entfernen - - - - List can be reordered by dragging - Die Liste kann durch Ziehen neu sortiert werden - - - + Plane Ebene - - OK - OK - - - - Update view - Ansicht aktualisieren - - - - Remove - Entfernen - - - + Error - Fehler + Fehlermeldungen PartDesignGui::TaskMultiTransformParameters - - - Add feature - Element hinzufügen - - Remove feature - Element entfernen - - - - List can be reordered by dragging - Die Liste kann durch Ziehen neu sortiert werden - - - Transformations Transformationen - - Update view - Ansicht aktualisieren - - - - Remove - Entfernen + + OK + OK - + Edit Bearbeiten - + Delete Löschen - + Add mirrored transformation Spiegelung hinzufügen - + Add linear pattern Lineares Muster hinzufügen - + Add polar pattern Polares Muster hinzufügen - + Add scaled transformation Skalierte Transformation hinzufügen - + Move up Nach oben verschieben - + Move down Nach unten verschieben @@ -2354,7 +2274,7 @@ erneut klicken um die Auswahl zu beenden Dimension - Höhe (Länge) + Tiefe (Länge) @@ -2720,7 +2640,7 @@ entlang der angegebenen Richtung gemessen Dimension - Tiefe (Länge) + Tiefenmaß @@ -2746,79 +2666,49 @@ entlang der angegebenen Richtung gemessen PartDesignGui::TaskPolarPatternParameters - - Add feature - Element hinzufügen - - - - Remove feature - Element entfernen - - - - List can be reordered by dragging - Die Liste kann durch Ziehen neu sortiert werden - - - + Axis Achse - + Reverse direction - Richtung umkehren + Umgekehrte Richtung - + Mode Modus - + Overall Angle Gesamtwinkel - + Offset Angle Versatzwinkel - + Angle Winkel - + Offset Versetzen - + Occurrences Vorkommen - - OK - OK - - - - Update view - Ansicht aktualisieren - - - - Remove - Entfernen - - - + Error - Fehlermeldungen + Fehler @@ -2840,7 +2730,7 @@ entlang der angegebenen Richtung gemessen Dimension - Tiefenmaß + Abmessung @@ -2851,7 +2741,7 @@ entlang der angegebenen Richtung gemessen Base X axis - Basis X-Achse + Basis-X-Achse @@ -2863,7 +2753,7 @@ entlang der angegebenen Richtung gemessen Base Z axis - Basis Z-Achse + Basis-Z-Achse @@ -2911,7 +2801,7 @@ entlang der angegebenen Richtung gemessen Update view - Ansicht aktualisieren + Ansicht aktualisieren @@ -2952,40 +2842,15 @@ entlang der angegebenen Richtung gemessen PartDesignGui::TaskScaledParameters - - Add feature - Element hinzufügen - - - - Remove feature - Element entfernen - - - + Factor Faktor - + Occurrences Vorkommen - - - OK - OK - - - - Update view - Ansicht aktualisieren - - - - Remove - Entfernen - PartDesignGui::TaskShapeBinder @@ -3029,8 +2894,8 @@ entlang der angegebenen Richtung gemessen Click button to enter selection mode, click again to end selection - Klicken Sie auf die Schaltfläche, um den Auswahlmodus zu betreten, -erneut klicken um die Auswahl zu beenden + Klicken Sie auf den Button um in den Auswahl-Modus zu gelangen. +Nochmaliges Klicken beendet den Auswahl-Modus. @@ -3109,62 +2974,87 @@ erneut klicken um die Auswahl zu beenden PartDesignGui::TaskTransformedParameters - + + Remove + Entfernen + + + Normal sketch axis Senkrecht zur Skizze - + Vertical sketch axis Vertikale Skizzenachse - + Horizontal sketch axis Horizontale Skizzenachse - - + + Construction line %1 Konstruktionslinie %1 - + Base X axis - Basis-X-Achse + Basis X-Achse - + Base Y axis Basis Y-Achse - + Base Z axis - Basis-Z-Achse + Basis Z-Achse - - + + Select reference... Referenz auswählen... - + Base XY plane XY-Basis-Ebene - + Base YZ plane YZ-Basis-Ebene - + Base XZ plane XZ-Basis-Ebene + + + Add feature + Element hinzufügen + + + + Remove feature + Element entfernen + + + + List can be reordered by dragging + Die Liste kann durch Ziehen neu sortiert werden + + + + Update view + Ansicht aktualisieren + PartDesignGui::ViewProviderChamfer @@ -3405,7 +3295,7 @@ erneut klicken um die Auswahl zu beenden Error - Fehler + Fehlermeldungen @@ -3458,28 +3348,28 @@ erneut klicken um die Auswahl zu beenden Zum Erzeugen einer Skizze zuerst eine Ebene im Koordinatensystem oder auf einem Körper wählen - - - - - - + + + + + + A dialog is already open in the task panel Es ist bereits ein Dialog in der Aufgabenleiste geöffnet - - - - - - + + + + + + Do you want to close this dialog? Möchten Sie diesen Dialog zu schließen? @@ -3745,14 +3635,14 @@ This may lead to unexpected results. Es ist nicht möglich, ein abzuziehendes Objekt ohne ein Basisobjekt zu erstellen + - Vertical sketch axis Vertikale Skizzenachse + - Horizontal sketch axis Horizontale Skizzenachse @@ -3807,15 +3697,15 @@ Bitte aktivieren (Doppelklick) Sie einen oder erstellen einen neuen Körper.Um diese Funktion verwenden zu können, muss es Teil einer Baugruppe im Dokument sein. - - + + Edit %1 %1 bearbeiten - + Set colors... Farben festlegen... @@ -4254,7 +4144,7 @@ Achtung, die Berechnung kann einige Zeit dauern! Update view - Ansicht aktualisieren + Ansicht aktualisieren @@ -4734,83 +4624,83 @@ unter 90: kleinerer Bohrungsradius an der Unterseite Das BaseFeature enthält eine leere Form - + Cannot do boolean cut without BaseFeature Eine boolesche Differenz (Beschnitt) ohne BaseFeature ist nicht möglich - - + + Cannot do boolean with anything but Part::Feature and its derivatives Boolesche Verknüpfungen können nur mit Part::Feature-Objekten und ihren Derivaten durchgeführt werden - + Cannot do boolean operation with invalid base shape Boolesche Verknüpfungen können nicht mit ungültigem base shape durchgeführt werden - + Cannot do boolean on feature which is not in a body Eine boolesche Verknüpfung kann nicht an einem Formelement ausgeführt werden, das sich nicht in einem Körper befindet - + Base shape is null Grundform ist NULL - + Tool shape is null Werkzeugform ist NULL - + Fusion of tools failed Fusion der Werkzeuge fehlgeschlagen - - - - - + - + + + + + Resulting shape is not a solid Die resultierende Form ist kein Festkörper - + Cut out failed Ausschnitt fehlgeschlagen - + Common operation failed Vereinigung fehlgeschlagen - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Das Ergebnis enthält mehrere Festkörper: Dies wird derzeit leider nicht unterstützt. @@ -4873,8 +4763,8 @@ unter 90: kleinerer Bohrungsradius an der Unterseite Winkel der Nut zu klein - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4884,14 +4774,14 @@ unter 90: kleinerer Bohrungsradius an der Unterseite - Die gewählte Skizze gehört nicht zum aktiven Körper. - + Creating a face from sketch failed Es konnte keine Fläche aus der Skizze erstellt werden - + Revolve axis intersects the sketch Die Drehachse schneidet die Skizze @@ -4901,14 +4791,14 @@ unter 90: kleinerer Bohrungsradius an der Unterseite Das Ausschneiden des Basis-Formelements ist fehlgeschlagen - + Could not revolve the sketch! Konnte die Skizze nicht drehen! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Konnte keine Fläche aus der Skizze erstellen. @@ -4963,10 +4853,10 @@ Skizzenobjekte dürfen einander nicht schneiden. Fehler: Konnte leider keine Helix erstellen + - Error: Result is not a solid Fehler: Ergebnis ist kein Festkörper @@ -5068,15 +4958,15 @@ Skizzenobjekte dürfen einander nicht schneiden. Fehler: Konnte das Gewinde nicht hinzufügen - + Boolean operation failed Boolesche Operation fehlgeschlagen - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Es konnte keine Fläche aus der Skizze erstellt werden. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts index be1cdfbacab9..dd835e60f014 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_el.ts @@ -882,8 +882,8 @@ so that self intersection is avoided. Create Clone - + Make copy Δημιουργία αντιγράφου @@ -908,8 +908,8 @@ so that self intersection is avoided. Create Boolean - + Add a Body Add a Body @@ -939,22 +939,22 @@ so that self intersection is avoided. Move an object inside tree - + Mirrored Κατοπτρισμένο - + Make LinearPattern Δημιουργήστε γραμμικό μοτίβο - + PolarPattern Κυκλικό Μοτίβο - + Scaled Υπό κλίμακα @@ -2056,73 +2056,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Προσθέστε χαρακτηριστικό - - - - Remove feature - Αφαιρέστε χαρακτηριστικό - - - - List can be reordered by dragging - Η λίστα μπορεί να αναδιαταχθεί με σύρσιμο - - - + Direction Κατεύθυνση - + Reverse direction Αντίστροφη κατεύθυνση - + Mode Λειτουργία - + Overall Length Overall Length - - + + Offset Μετατοπίστε - + Length Μήκος - + Occurrences Επαναλήψεις - - OK - ΟΚ - - - - Update view - Ανανέωση προβολής - - - - Remove - Αφαίρεση - - - + Error Σφάλμα @@ -2183,115 +2153,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Προσθέστε χαρακτηριστικό - - - - Remove feature - Αφαιρέστε χαρακτηριστικό - - - - List can be reordered by dragging - Η λίστα μπορεί να αναδιαταχθεί με σύρσιμο - - - + Plane Επίπεδο - - OK - ΟΚ - - - - Update view - Ανανέωση προβολής - - - - Remove - Αφαίρεση - - - + Error Σφάλμα PartDesignGui::TaskMultiTransformParameters - - - Add feature - Προσθέστε χαρακτηριστικό - - Remove feature - Αφαιρέστε χαρακτηριστικό - - - - List can be reordered by dragging - Η λίστα μπορεί να αναδιαταχθεί με σύρσιμο - - - Transformations Μετατοπισμοί - - Update view - Ανανέωση προβολής - - - - Remove - Αφαίρεση + + OK + ΟΚ - + Edit Επεξεργασία - + Delete Διαγραφή - + Add mirrored transformation Προσθήκη αντικατοπτρισμένης μετατόπισης - + Add linear pattern Προσθέστε γραμμικό μοτίβο - + Add polar pattern Προσθήκη κυκλικού μοτίβου - + Add scaled transformation Προσθέστε μετατόπιση κλίμακας - + Move up Μετακίνηση πάνω - + Move down Μετακίνηση κάτω @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Προσθέστε χαρακτηριστικό - - - - Remove feature - Αφαιρέστε χαρακτηριστικό - - - - List can be reordered by dragging - Η λίστα μπορεί να αναδιαταχθεί με σύρσιμο - - - + Axis Άξονας - + Reverse direction Αντίστροφη κατεύθυνση - + Mode Λειτουργία - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Γωνία - + Offset Μετατοπίστε - + Occurrences Επαναλήψεις - - OK - ΟΚ - - - - Update view - Ανανέωση προβολής - - - - Remove - Αφαίρεση - - - + Error Σφάλμα @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Προσθέστε χαρακτηριστικό - - - - Remove feature - Αφαιρέστε χαρακτηριστικό - - - + Factor Παράγοντας - + Occurrences Επαναλήψεις - - - OK - ΟΚ - - - - Update view - Ανανέωση προβολής - - - - Remove - Αφαίρεση - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Αφαίρεση + + + Normal sketch axis Κανονικός άξονας σκίτσου - + Vertical sketch axis Κάθετος άξονας σκίτσου - + Horizontal sketch axis Οριζόντιος άξονας σκίτσου - - + + Construction line %1 Γραμμή κατασκευής %1 - + Base X axis Άξονας X βάσης - + Base Y axis Άξονας Y βάσης - + Base Z axis Άξονας Z βάσης - - + + Select reference... Επιλογή αναφοράς... - + Base XY plane Επίπεδο XY βάσης - + Base YZ plane Επίπεδο YZ βάσης - + Base XZ plane Επίπεδο XZ βάσης + + + Add feature + Προσθέστε χαρακτηριστικό + + + + Remove feature + Αφαιρέστε χαρακτηριστικό + + + + List can be reordered by dragging + Η λίστα μπορεί να αναδιαταχθεί με σύρσιμο + + + + Update view + Ανανέωση προβολής + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ click again to end selection Παρακαλώ δημιουργήστε πρώτα ένα επίπεδο ή επιλέξτε την όψη πάνω στην οποία θα δημιουργήσετε σκαρίφημα - - - - - - + + + + + + A dialog is already open in the task panel A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? Do you want to close this dialog? @@ -3747,14 +3637,14 @@ This may lead to unexpected results. Δεν είναι εφικτό να δημιουργήσετε αφαιρετικό χαρακτηριστικό χωρίς κάποιο διαθέσιμο χαρακτηριστικό βάσης + - Vertical sketch axis Κάθετος άξονας σκίτσου + - Horizontal sketch axis Οριζόντιος άξονας σκίτσου @@ -3808,15 +3698,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Προκειμένου να χρησιμοποιήσετε αυτό το χαρακτηριστικό θα πρέπει να ανήκει σε κάποιο εξάρτημα που βρίσκεται στο έγγραφο. - - + + Edit %1 Επεξεργασία %1 - + Set colors... Ορίστε χρώματα... @@ -4736,83 +4626,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4875,8 +4765,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4904,14 +4794,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4966,10 +4856,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5071,15 +4961,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-AR.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-AR.ts index a5bd90f5f905..0347e6108af0 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-AR.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-AR.ts @@ -883,8 +883,8 @@ False=engranaje interno Clona - + Make copy Copia @@ -909,8 +909,8 @@ False=engranaje interno Crear Booleano - + Add a Body Añadir un Cuerpo @@ -940,22 +940,22 @@ False=engranaje interno Mover un objeto dentro del árbol - + Mirrored Simetría - + Make LinearPattern Hacer Patrón Lineal - + PolarPattern Patrón Polar - + Scaled Escalado @@ -2057,73 +2057,43 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskLinearPatternParameters - - Add feature - Agregar operación - - - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - + Direction Sentido - + Reverse direction Invertir dirección - + Mode Modo - + Overall Length Longitud total - - + + Offset Desfase - + Length Longitud - + Occurrences Apariciones - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Eliminar - - - + Error Error @@ -2184,115 +2154,65 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskMirroredParameters - - Add feature - Agregar operación - - - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - + Plane Plano - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Eliminar - - - + Error Error PartDesignGui::TaskMultiTransformParameters - - - Add feature - Agregar operación - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - Transformations Transformaciones - - Update view - Actualizar vista - - - - Remove - Eliminar + + OK + Aceptar - + Edit Editar - + Delete Eliminar - + Add mirrored transformation Agregar transformación de simetría - + Add linear pattern Agregar patrón lineal - + Add polar pattern Agregar patrón polar - + Add scaled transformation Agregar transformación de escalado - + Move up Subir - + Move down Bajar @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Agregar operación - - - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - + Axis Eje - + Reverse direction Invertir dirección - + Mode Modo - + Overall Angle Ángulo general - + Offset Angle Ángulo de desplazamiento - + Angle Ángulo - + Offset Desfase - + Occurrences Apariciones - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Eliminar - - - + Error Error @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Agregar operación - - - - Remove feature - Eliminar operación - - - + Factor Factor - + Occurrences Apariciones - - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Eliminar - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskTransformedParameters - + + Remove + Eliminar + + + Normal sketch axis Normal al boceto - + Vertical sketch axis Eje vertical del croquis - + Horizontal sketch axis Eje horizontal del croquis - - + + Construction line %1 Línea de construcción %1 - + Base X axis Eje X base - + Base Y axis Eje Y base - + Base Z axis Eje Z base - - + + Select reference... Seleccione referencia... - + Base XY plane Plano XY base - + Base YZ plane Plano YZ base - + Base XZ plane Plano XZ base + + + Add feature + Agregar operación + + + + Remove feature + Eliminar operación + + + + List can be reordered by dragging + La lista puede ser reordenada arrastrando + + + + Update view + Actualizar vista + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ haga clic de nuevo para finalizar la selección Por favor, crea un plano primero o selecciona una cara para croquizar - - - - - - + + + + + + A dialog is already open in the task panel Un diálogo ya está abierto en el panel de tareas - - - - - - + + + + + + Do you want to close this dialog? ¿Desea cerrar este diálogo? @@ -3747,14 +3637,14 @@ Esto puede conducir a resultados inesperados. No es posible crear una operación sustractiva sin una operación base disponible + - Vertical sketch axis Eje vertical del croquis + - Horizontal sketch axis Eje horizontal del croquis @@ -3808,15 +3698,15 @@ Si tienes un documento heredado con objetos DiseñoDePieza sin un Cuerpo, utiliz Para poder utilizar esta operación necesita pertenecer a un objeto de pieza en el documento. - - + + Edit %1 Editar %1 - + Set colors... Establecer colores... @@ -4735,83 +4625,83 @@ más de 90: radio de agujero más grande en la parte inferior BaseFeature tiene una forma vacía - + Cannot do boolean cut without BaseFeature No se puede hacer el corte booleano sin la BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives No se puede hacer booleano con nada más que Part::Feature y sus derivados - + Cannot do boolean operation with invalid base shape No se puede realizar la operación booleana con forma base inválida - + Cannot do boolean on feature which is not in a body No se puede hacer booleano en una característica que no está en un cuerpo - + Base shape is null La forma base es nula - + Tool shape is null Forma de herramienta es nula - + Fusion of tools failed Fusión de herramientas fallida - - - - - + - + + + + + Resulting shape is not a solid La forma resultante no es un sólido - + Cut out failed Fallo al cortar - + Common operation failed Operación común fallida - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. El resultado tiene múltiples sólidos: esto no está soportado actualmente. @@ -4874,8 +4764,8 @@ más de 90: radio de agujero más grande en la parte inferior Ángulo de ranura demasiado pequeño - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4886,14 +4776,14 @@ más de 90: radio de agujero más grande en la parte inferior - el croquis seleccionado no pertenece al Cuerpo activo. - + Creating a face from sketch failed Fallo al crear una cara a partir del croquis - + Revolve axis intersects the sketch Eje de revolución interseca el croquis @@ -4903,14 +4793,14 @@ más de 90: radio de agujero más grande en la parte inferior Recorte de función base fallido - + Could not revolve the sketch! No se pudo revolucionar el croquis! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. No se pudo crear la cara a partir del croquis. @@ -4965,10 +4855,10 @@ No se permiten las entidades de croquis intersectas en un croquis. Error: No se pudo construir + - Error: Result is not a solid Error: El resultado no es un sólido @@ -5070,15 +4960,15 @@ No se permiten las entidades de croquis intersectas en un croquis. Error: Error al añadir la rosca - + Boolean operation failed Operación booleana fallida - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. No se pudo crear la cara a partir del croquis. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-ES.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-ES.ts index 7794b86e57d1..b6e47e2f4976 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-ES.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_es-ES.ts @@ -883,8 +883,8 @@ para que se evite la auto intersección. Crear Clon - + Make copy Hacer copia @@ -909,8 +909,8 @@ para que se evite la auto intersección. Crear Booleano - + Add a Body Añadir un Cuerpo @@ -940,22 +940,22 @@ para que se evite la auto intersección. Mover un objeto dentro del árbol - + Mirrored Simetría - + Make LinearPattern Hacer Patrón Lineal - + PolarPattern Patrón Polar - + Scaled Escalado @@ -2057,73 +2057,43 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskLinearPatternParameters - - Add feature - Añadir una caracteristica - - - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - + Direction Dirección - + Reverse direction Invertir dirección - + Mode Modo - + Overall Length Longitud total - - + + Offset Desplazamiento - + Length Longitud - + Occurrences Apariciones - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Quitar - - - + Error Error @@ -2184,115 +2154,65 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskMirroredParameters - - Add feature - Añadir una caracteristica - - - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - + Plane Plano - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Quitar - - - + Error Error PartDesignGui::TaskMultiTransformParameters - - - Add feature - Añadir una caracteristica - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - Transformations Transformaciones - - Update view - Actualizar vista - - - - Remove - Quitar + + OK + Aceptar - + Edit Editar - + Delete Borrar - + Add mirrored transformation Añadir transformación de simetría - + Add linear pattern Añadir patrón lineal - + Add polar pattern Añadir patrón polar - + Add scaled transformation Añadir transformación escalada - + Move up Mover hacia arriba - + Move down Mover hacia abajo @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Añadir una caracteristica - - - - Remove feature - Eliminar operación - - - - List can be reordered by dragging - La lista puede ser reordenada arrastrando - - - + Axis Eje - + Reverse direction Invertir dirección - + Mode Modo - + Overall Angle Ángulo general - + Offset Angle Ángulo de desplazamiento - + Angle Ángulo - + Offset Desplazamiento - + Occurrences Apariciones - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Quitar - - - + Error Error @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Añadir una caracteristica - - - - Remove feature - Eliminar operación - - - + Factor Factor - + Occurrences Apariciones - - - OK - Aceptar - - - - Update view - Actualizar vista - - - - Remove - Quitar - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ haga clic de nuevo para finalizar la selección PartDesignGui::TaskTransformedParameters - + + Remove + Quitar + + + Normal sketch axis Normal al boceto - + Vertical sketch axis Eje vertical del croquis - + Horizontal sketch axis Eje horizontal del croquis - - + + Construction line %1 Línea de construcción %1 - + Base X axis Eje X base - + Base Y axis Eje Y base - + Base Z axis Eje Z base - - + + Select reference... Seleccione referencia... - + Base XY plane Plano XY base - + Base YZ plane Plano YZ base - + Base XZ plane Plano XZ base + + + Add feature + Añadir una caracteristica + + + + Remove feature + Eliminar operación + + + + List can be reordered by dragging + La lista puede ser reordenada arrastrando + + + + Update view + Actualizar vista + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ haga clic de nuevo para finalizar la selección Por favor, crea un plano primero o selecciona una cara para croquizar - - - - - - + + + + + + A dialog is already open in the task panel Un diálogo ya está abierto en el panel de tareas - - - - - - + + + + + + Do you want to close this dialog? ¿Desea cerrar este diálogo? @@ -3743,14 +3633,14 @@ This may lead to unexpected results. No es posible crear una función de resta sin una base característica disponible + - Vertical sketch axis Eje vertical del croquis + - Horizontal sketch axis Eje horizontal del croquis @@ -3804,15 +3694,15 @@ Si tienes un documento heredado con objetos PartDesign sin un Cuerpo, utiliza la Para poder usar esta operación debe pertenecer a una pieza objeto en el documento. - - + + Edit %1 Editar %1 - + Set colors... Ajustar colores... @@ -4731,83 +4621,83 @@ más de 90: radio de agujero más grande en la parte inferior Característica base tiene una forma vacía - + Cannot do boolean cut without BaseFeature No se puede hacer el corte booleano sin la BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives No se puede hacer booleano con nada más que Part::Feature y sus derivados - + Cannot do boolean operation with invalid base shape No se puede realizar la operación booleana con una forma de base inválida - + Cannot do boolean on feature which is not in a body No se puede hacer booleana en una característica que no está en un cuerpo - + Base shape is null La forma base es nula - + Tool shape is null Forma de herramienta es nula - + Fusion of tools failed Fusión de herramientas fallida - - - - - + - + + + + + Resulting shape is not a solid La forma resultante no es un sólido - + Cut out failed Recorte fallido - + Common operation failed Operación común fallida - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. El resultado tiene múltiples sólidos: que no está soportado actualmente. @@ -4870,8 +4760,8 @@ más de 90: radio de agujero más grande en la parte inferior Ángulo de ranura demasiado pequeño - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4882,14 +4772,14 @@ más de 90: radio de agujero más grande en la parte inferior - el croquis seleccionado no pertenece al Cuerpo activo. - + Creating a face from sketch failed Fallo al crear una cara a partir del croquis - + Revolve axis intersects the sketch El eje de revolución intercepta el croquis @@ -4899,14 +4789,14 @@ más de 90: radio de agujero más grande en la parte inferior Recorte de función base fallido - + Could not revolve the sketch! ¡No se puede girar el boceto! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. No se pudo crear la cara a partir del boceto. @@ -4961,10 +4851,10 @@ No se permite la intersección de entidades en un boceto. Error: No se pudo construir + - Error: Result is not a solid Error: El resultado no es un sólido @@ -5066,15 +4956,15 @@ No se permite la intersección de entidades en un boceto. Error: Fallo al añadir la rosca - + Boolean operation failed Operación booleana fallida - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. No se pudo crear la cara a partir del croquis. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts index 2257dfafecb6..002c2d599898 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_eu.ts @@ -882,8 +882,8 @@ so that self intersection is avoided. Sortu klona - + Make copy Egin kopia @@ -908,8 +908,8 @@ so that self intersection is avoided. Sortu boolearra - + Add a Body Gehitu gorputz bat @@ -939,22 +939,22 @@ so that self intersection is avoided. Aldatu objektu bat lekuz zuhaitzaren barruan - + Mirrored Ispilatua - + Make LinearPattern Sortu eredu lineala - + PolarPattern Eredu polarra - + Scaled Eskalatua @@ -2056,73 +2056,43 @@ sakatu berriro hautapena amaitzeko PartDesignGui::TaskLinearPatternParameters - - Add feature - Gehitu elementua - - - - Remove feature - Kendu elementua - - - - List can be reordered by dragging - Zerrenda ordenatzeko, arrastatu elementuak - - - + Direction Norabidea - + Reverse direction Alderantzikatu norabidea - + Mode Modua - + Overall Length Luzera osoa - - + + Offset Desplazamendua - + Length Luzera - + Occurrences Gertaldiak - - OK - Ados - - - - Update view - Eguneratu bista - - - - Remove - Kendu - - - + Error Errorea @@ -2183,115 +2153,65 @@ sakatu berriro hautapena amaitzeko PartDesignGui::TaskMirroredParameters - - Add feature - Gehitu elementua - - - - Remove feature - Kendu elementua - - - - List can be reordered by dragging - Zerrenda ordenatzeko, arrastatu elementuak - - - + Plane Planoa - - OK - Ados - - - - Update view - Eguneratu bista - - - - Remove - Kendu - - - + Error Errorea PartDesignGui::TaskMultiTransformParameters - - - Add feature - Gehitu elementua - - Remove feature - Kendu elementua - - - - List can be reordered by dragging - Zerrenda ordenatzeko, arrastatu elementuak - - - Transformations Transformazioak - - Update view - Eguneratu bista - - - - Remove - Kendu + + OK + Ados - + Edit Editatu - + Delete Ezabatu - + Add mirrored transformation Gehitu ispilu-transformazioa - + Add linear pattern Gehitu eredu lineala - + Add polar pattern Gehitu eredu polarra - + Add scaled transformation Gehitu eskaladun transformazioa - + Move up Mugitu gora - + Move down Mugitu behera @@ -2746,77 +2666,47 @@ zehaztutako norabidean PartDesignGui::TaskPolarPatternParameters - - Add feature - Gehitu elementua - - - - Remove feature - Kendu elementua - - - - List can be reordered by dragging - Zerrenda ordenatzeko, arrastatu elementuak - - - + Axis Ardatza - + Reverse direction Alderantzikatu norabidea - + Mode Modua - + Overall Angle Angelu osoa - + Offset Angle Desplazamendu-angelua - + Angle Angelua - + Offset Desplazamendua - + Occurrences Gertaldiak - - OK - Ados - - - - Update view - Eguneratu bista - - - - Remove - Kendu - - - + Error Errorea @@ -2952,40 +2842,15 @@ zehaztutako norabidean PartDesignGui::TaskScaledParameters - - Add feature - Gehitu elementua - - - - Remove feature - Kendu elementua - - - + Factor Faktorea - + Occurrences Gertaldiak - - - OK - Ados - - - - Update view - Eguneratu bista - - - - Remove - Kendu - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ sakatu berriro hautapena amaitzeko PartDesignGui::TaskTransformedParameters - + + Remove + Kendu + + + Normal sketch axis Krokisaren ardatz normala - + Vertical sketch axis Krokisaren ardatz bertikala - + Horizontal sketch axis Krokisaren ardatz horizontala - - + + Construction line %1 %1 eraikuntza-lerroa - + Base X axis Oinarriko X ardatza - + Base Y axis Oinarriko Y ardatza - + Base Z axis Oinarriko Z ardatza - - + + Select reference... Hautatu erreferentzia... - + Base XY plane Oinarriko XY planoa - + Base YZ plane Oinarriko YZ planoa - + Base XZ plane Oinarriko XZ planoa + + + Add feature + Gehitu elementua + + + + Remove feature + Kendu elementua + + + + List can be reordered by dragging + Zerrenda ordenatzeko, arrastatu elementuak + + + + Update view + Eguneratu bista + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ sakatu berriro hautapena amaitzeko Krokisa sortzeko, lehenengo sortu plano bat edo hautatu aurpegi bat - - - - - - + + + + + + A dialog is already open in the task panel Elkarrizketa-koadro bat irekita dago ataza-panelean - - - - - - + + + + + + Do you want to close this dialog? Elkarrizketa-koadro hau itxi nahi duzu? @@ -3745,14 +3635,14 @@ Espero ez diren emaitzak gerta daitezke. Ezin da elementu kentzaile bat sortu oinarri-elementu bat erabilgarri ez badago + - Vertical sketch axis Krokisaren ardatz bertikala + - Horizontal sketch axis Krokisaren ardatz horizontala @@ -3806,15 +3696,15 @@ Bertsio zaharragoan dagoen dokumentu bat baduzu eta gorputzik gabeko PartDesign Ezaugarri hau erabili ahal izateko, dokumentuko pieza-objektu batekoa izan behar du. - - + + Edit %1 Editatu %1 - + Set colors... Ezarri koloreak... @@ -4734,83 +4624,83 @@ over 90: larger hole radius at the bottom Oinarri-elementuak hutsik dagoen forma bat du - + Cannot do boolean cut without BaseFeature Ezin da mozte boolearra egin oinarri-elementurik gabe - - + + Cannot do boolean with anything but Part::Feature and its derivatives Ezin da boolearra egin ez bada Part::Feature eta bere eratorriekin - + Cannot do boolean operation with invalid base shape Ezin dira eragiketa boolearrak egin oinarri-forma baliogabearekin - + Cannot do boolean on feature which is not in a body Ezin da boolearra egin gorputza ez den elementu batekin - + Base shape is null Oinarri-forma nulua da - + Tool shape is null Tresna-forma nulua da - + Fusion of tools failed Tresnen fusioak huts egin du - - - - - + - + + + + + Resulting shape is not a solid Emaitza gisa sortutako forma ez da solidoa - + Cut out failed Inausketak huts egin du - + Common operation failed Eragiketa arrunt batek huts egin du - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Emaitzak solido anitz ditu: hori ez da onartzen momentuz. @@ -4873,8 +4763,8 @@ over 90: larger hole radius at the bottom Artekaren angelua txikiegia da - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4885,14 +4775,14 @@ over 90: larger hole radius at the bottom - hautatutako krokisa ez da gorputz aktiboarena. - + Creating a face from sketch failed Huts egin du aurpegia krokis batetik sortzeak - + Revolve axis intersects the sketch Erreboluzio-ardatzak krokisa ebakitzen du @@ -4902,14 +4792,14 @@ over 90: larger hole radius at the bottom Oinarri-elementuaren inausketak huts egin du - + Could not revolve the sketch! Ezin da krokisa erreboluzionatu - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Ezin da aurpegia sortu krokisetik abiatuta. @@ -4964,10 +4854,10 @@ Ez da onartzen krokis bateko entitateak ebakitzea. Errorea: Ezin da eraiki + - Error: Result is not a solid Errorea: Emaitza ez da solidoa @@ -5069,15 +4959,15 @@ Ez da onartzen krokis bateko entitateak ebakitzea. Errorea: Haria gehitzeak huts egin du - + Boolean operation failed Eragiketa boolearrak huts egin du - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Ezin da aurpegia sortu krokisetik abiatuta. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts index 0f176739ca0f..e6ea9357b2e7 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fi.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Luo klooni - + Make copy Tee kopio @@ -909,8 +909,8 @@ so that self intersection is avoided. Create Boolean - + Add a Body Add a Body @@ -940,22 +940,22 @@ so that self intersection is avoided. Move an object inside tree - + Mirrored Peilattu - + Make LinearPattern Make LinearPattern - + PolarPattern Ympyräsäännöllinen toistokuvio - + Scaled Skaalattu @@ -2057,73 +2057,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Lisää piirre - - - - Remove feature - Poista piirre - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Direction Suunta - + Reverse direction Vastakkainen suunta - + Mode Tila - + Overall Length Overall Length - - + + Offset Siirtymä - + Length Pituus - + Occurrences Tapahtumaa - - OK - OK - - - - Update view - Päivitä näkymä - - - - Remove - Poista - - - + Error Virhe @@ -2184,115 +2154,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Lisää piirre - - - - Remove feature - Poista piirre - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Plane Taso - - OK - OK - - - - Update view - Päivitä näkymä - - - - Remove - Poista - - - + Error Virhe PartDesignGui::TaskMultiTransformParameters - - - Add feature - Lisää piirre - - Remove feature - Poista piirre - - - - List can be reordered by dragging - List can be reordered by dragging - - - Transformations Muunnokset - - Update view - Päivitä näkymä - - - - Remove - Poista + + OK + OK - + Edit Muokkaa - + Delete Poista - + Add mirrored transformation Lisää peilattu muunnos - + Add linear pattern Lisää lineaarinen kuvio - + Add polar pattern Lisää suunnattu kuvio - + Add scaled transformation Lisää skaalattu muunnos - + Move up Siirrä ylös - + Move down Siirrä alas @@ -2747,77 +2667,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Lisää piirre - - - - Remove feature - Poista piirre - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Axis Akseli - + Reverse direction Vastakkainen suunta - + Mode Tila - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Kulma - + Offset Siirtymä - + Occurrences Tapahtumaa - - OK - OK - - - - Update view - Päivitä näkymä - - - - Remove - Poista - - - + Error Virhe @@ -2953,40 +2843,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Lisää piirre - - - - Remove feature - Poista piirre - - - + Factor Tekijä - + Occurrences Tapahtumaa - - - OK - OK - - - - Update view - Päivitä näkymä - - - - Remove - Poista - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Poista + + + Normal sketch axis Normaali luonnos akseli - + Vertical sketch axis Pystysuuntaisen luonnoksen akseli - + Horizontal sketch axis Vaakasuuntaisen luonnoksen akseli - - + + Construction line %1 Rakennuslinja %1 - + Base X axis Perustan X-akseli - + Base Y axis Perustan Y-akseli - + Base Z axis Perustan Z-akseli - - + + Select reference... Valitse viite... - + Base XY plane Perustan XY-taso - + Base YZ plane Perustan YZ-taso - + Base XZ plane Perustan XZ-taso + + + Add feature + Lisää piirre + + + + Remove feature + Poista piirre + + + + List can be reordered by dragging + List can be reordered by dragging + + + + Update view + Päivitä näkymä + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ click again to end selection Luo ensin taso tai valitse pinta jolle luonnos tehdään - - - - - - + + + + + + A dialog is already open in the task panel Valintaikkuna on jo avoinna tehtäväpaneelissa - - - - - - + + + + + + Do you want to close this dialog? Haluatko sulkea tämän valintaikkunan? @@ -3748,14 +3638,14 @@ Tämä voi johtaa odottamattomiin tuloksiin. Ei ole mahdollista tehdä leikkaavaa piirrettä ilman olemassaolevaa peruspiirrettä + - Vertical sketch axis Pystysuuntaisen luonnoksen akseli + - Horizontal sketch axis Vaakasuuntaisen luonnoksen akseli @@ -3809,15 +3699,15 @@ Jos asiakirja on vanhentunutta tyyppiä OsanSuunnittelu-objekteilla ilman kappal Jotta tätä piirrettä voitaisiin käyttää, sen pitäisi kuulua asiakirjaan sisältyvään osa-objektiin. - - + + Edit %1 Muokkaa %1 - + Set colors... Määritä värit ... @@ -4736,83 +4626,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4875,8 +4765,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4904,14 +4794,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4966,10 +4856,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5071,15 +4961,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts index 2d0b29617f4c..4d6358c28421 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_fr.ts @@ -884,8 +884,8 @@ False=engrenage interne Créer un clone - + Make copy Faire une copie @@ -910,8 +910,8 @@ False=engrenage interne Créer un booléen - + Add a Body Ajouter un corps @@ -941,22 +941,22 @@ False=engrenage interne Déplacer un objet dans l'arborescence - + Mirrored Symétrie - + Make LinearPattern Répétition linéaire - + PolarPattern Répétition circulaire - + Scaled Mise à l'échelle @@ -1828,7 +1828,7 @@ click again to end selection Radius: - Rayon : + Rayon : @@ -1933,7 +1933,7 @@ click again to end selection Height: - Hauteur : + Hauteur : @@ -2052,73 +2052,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Ajouter une fonction - - - - Remove feature - Supprimer une fonction - - - - List can be reordered by dragging - La liste peut être réordonnée en faisant glisser - - - + Direction Direction - + Reverse direction Inverser la direction - + Mode Mode - + Overall Length Longueur globale - - + + Offset Décaler - + Length Longueur - + Occurrences Occurrences - - OK - OK - - - - Update view - Mettre à jour la vue - - - - Remove - Supprimer - - - + Error Erreur @@ -2179,115 +2149,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Ajouter une fonction - - - - Remove feature - Supprimer une fonction - - - - List can be reordered by dragging - La liste peut être réordonnée en faisant glisser - - - + Plane Plan - - OK - OK - - - - Update view - Mettre à jour la vue - - - - Remove - Supprimer - - - + Error Erreur PartDesignGui::TaskMultiTransformParameters - - - Add feature - Ajouter une fonction - - Remove feature - Supprimer une fonction - - - - List can be reordered by dragging - La liste peut être réordonnée en faisant glisser - - - Transformations Transformations - - Update view - Mettre à jour la vue - - - - Remove - Supprimer + + OK + OK - + Edit Éditer - + Delete Supprimer - + Add mirrored transformation Ajouter une fonction de symétrie - + Add linear pattern Ajouter une répétition linéaire - + Add polar pattern Ajouter une répétition circulaire - + Add scaled transformation Ajouter une transformation de mise à l'échelle - + Move up Déplacer vers le haut - + Move down Déplacer vers le bas @@ -2740,77 +2660,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Ajouter une fonction - - - - Remove feature - Supprimer une fonction - - - - List can be reordered by dragging - La liste peut être réordonnée en faisant glisser - - - + Axis Axe - + Reverse direction Inverser la direction - + Mode Mode - + Overall Angle Angle global - + Offset Angle Angle de décalage - + Angle Angle - + Offset Décaler - + Occurrences Occurrences - - OK - OK - - - - Update view - Mettre à jour la vue - - - - Remove - Supprimer - - - + Error Erreur @@ -2878,7 +2768,7 @@ measured along the specified direction Angle: - Angle : + Angle : @@ -2946,40 +2836,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Ajouter une fonction - - - - Remove feature - Supprimer une fonction - - - + Factor Facteur - + Occurrences Occurrences - - - OK - OK - - - - Update view - Mettre à jour la vue - - - - Remove - Supprimer - PartDesignGui::TaskShapeBinder @@ -3040,7 +2905,7 @@ click again to end selection Thickness - Épaisseur + Évidement @@ -3101,62 +2966,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Supprimer + + + Normal sketch axis Axe normal à l'esquisse - + Vertical sketch axis Axe vertical de l'esquisse - + Horizontal sketch axis Axe horizontal de l'esquisse - - + + Construction line %1 Ligne de construction %1 - + Base X axis Axe X - + Base Y axis Axe Y - + Base Z axis Axe Z - - + + Select reference... Sélectionner une référence... - + Base XY plane Plan XY - + Base YZ plane Plan YZ - + Base XZ plane Plan XZ + + + Add feature + Ajouter une fonction + + + + Remove feature + Supprimer une fonction + + + + List can be reordered by dragging + La liste peut être réordonnée en faisant glisser + + + + Update view + Mettre à jour la vue + PartDesignGui::ViewProviderChamfer @@ -3450,28 +3340,28 @@ click again to end selection Créer d'abord un plan ou choisir une face sur laquelle appliquer l'esquisse - - - - - - + + + + + + A dialog is already open in the task panel Une boîte de dialogue est déjà ouverte dans le panneau des tâches - - - - - - + + + + + + Do you want to close this dialog? Voulez-vous fermer cette boîte de dialogue? @@ -3733,14 +3623,14 @@ This may lead to unexpected results. Il n’est pas possible de créer une fonction soustractive sans une fonction de base présente + - Vertical sketch axis Axe vertical de l'esquisse + - Horizontal sketch axis Axe horizontal de l'esquisse @@ -3794,15 +3684,15 @@ Si vous avez un vieux document avec des objets PartDesign sans corps, utilisez l Afin d'utiliser cette fonction, elle doit appartenir à un objet pièce dans le document. - - + + Edit %1 Modifier %1 - + Set colors... Définir les couleurs... @@ -4718,83 +4608,83 @@ plus de 90 : rayon du trou plus grand à la base BaseFeature a une forme vide - + Cannot do boolean cut without BaseFeature Impossible de faire une coupe booléenne sans BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Impossible de faire un booléen avec autre chose qu'un Part::Feature et ses dérivés - + Cannot do boolean operation with invalid base shape Impossible de faire une opération booléenne avec une forme de base invalide - + Cannot do boolean on feature which is not in a body Impossible de faire un booléen sur une fonctionnalité qui n'est pas dans un corps - + Base shape is null La forme de base est nulle - + Tool shape is null La forme de l'outil est nulle - + Fusion of tools failed La fusion des outils a échoué - - - - - + - + + + + + Resulting shape is not a solid La forme résultante n'est pas un solide - + Cut out failed La découpe a échoué - + Common operation failed L'opération commune a échoué - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Le résultat a plusieurs solides : ce n'est pas pris en charge pour le moment. @@ -4857,8 +4747,8 @@ plus de 90 : rayon du trou plus grand à la base Angle de rainure trop petit - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4868,14 +4758,14 @@ plus de 90 : rayon du trou plus grand à la base - l'esquisse sélectionnée n'appartient pas au corps actif. - + Creating a face from sketch failed La création d'une face à partir de l'esquisse a échoué - + Revolve axis intersects the sketch L'axe de révolution coupe l'esquisse @@ -4885,14 +4775,14 @@ plus de 90 : rayon du trou plus grand à la base La découpe de l'élément de base a échoué - + Could not revolve the sketch! Impossible de tourner l'esquisse ! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Impossible de créer une face à partir de l'esquisse. @@ -4947,10 +4837,10 @@ Les entités d'intersection d'esquisse dans une esquisse ne sont pas autorisées Erreur : impossible de construire + - Error: Result is not a solid Erreur : le résultat n'est pas un solide @@ -5052,15 +4942,15 @@ Les entités d'intersection d'esquisse dans une esquisse ne sont pas autorisées Erreur : L'ajout du fil de suivi a échoué - + Boolean operation failed L'opération booléenne a échoué - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Impossible de créer une face à partir d'une esquisse. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_gl.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_gl.ts index 988bab65d1e6..2daec1b49449 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_gl.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_gl.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Create Clone - + Make copy Fai copia @@ -909,8 +909,8 @@ so that self intersection is avoided. Crear un booleano - + Add a Body Engadir corpo @@ -940,22 +940,22 @@ so that self intersection is avoided. Move an object inside tree - + Mirrored Reflectido - + Make LinearPattern Make LinearPattern - + PolarPattern Patrón polar - + Scaled Escalado @@ -2057,73 +2057,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Engadir característica - - - - Remove feature - Rexeitar característica - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Direction Dirección - + Reverse direction Reverse direction - + Mode Modo - + Overall Length Overall Length - - + + Offset Separación - + Length Lonxitude - + Occurrences Aparicións - - OK - Aceptar - - - - Update view - Actualizar a vista - - - - Remove - Rexeitar - - - + Error Erro @@ -2184,115 +2154,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Engadir característica - - - - Remove feature - Rexeitar característica - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Plane Plano - - OK - Aceptar - - - - Update view - Actualizar a vista - - - - Remove - Rexeitar - - - + Error Erro PartDesignGui::TaskMultiTransformParameters - - - Add feature - Engadir característica - - Remove feature - Rexeitar característica - - - - List can be reordered by dragging - List can be reordered by dragging - - - Transformations Transformacións - - Update view - Actualizar a vista - - - - Remove - Rexeitar + + OK + Aceptar - + Edit Editar - + Delete Desbotar - + Add mirrored transformation Engadir transformación de reflectido - + Add linear pattern Engadir patrón linear - + Add polar pattern Engadir patrón polar - + Add scaled transformation Engadir transformación de escalado - + Move up Mover cara arriba - + Move down Mover cara abaixo @@ -2747,77 +2667,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Engadir característica - - - - Remove feature - Rexeitar característica - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Axis Eixo - + Reverse direction Reverse direction - + Mode Modo - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Ángulo - + Offset Separación - + Occurrences Aparicións - - OK - Aceptar - - - - Update view - Actualizar a vista - - - - Remove - Rexeitar - - - + Error Erro @@ -2953,40 +2843,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Engadir característica - - - - Remove feature - Rexeitar característica - - - + Factor Factor - + Occurrences Aparicións - - - OK - Aceptar - - - - Update view - Actualizar a vista - - - - Remove - Rexeitar - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Rexeitar + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Vertical sketch axis - + Horizontal sketch axis Horizontal sketch axis - - + + Construction line %1 Liña de construción %1 - + Base X axis Eixe X de base - + Base Y axis Eixe Y de base - + Base Z axis Eixe Z de base - - + + Select reference... Select reference... - + Base XY plane Plano XY base - + Base YZ plane Plano Yz base - + Base XZ plane Plano XZ base + + + Add feature + Engadir característica + + + + Remove feature + Rexeitar característica + + + + List can be reordered by dragging + List can be reordered by dragging + + + + Update view + Actualizar a vista + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ click again to end selection Por favor, crear un plano de primeiro ou escolmar unha cara na que esbozar - - - - - - + + + + + + A dialog is already open in the task panel A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? Do you want to close this dialog? @@ -3748,14 +3638,14 @@ Esto pode levar a resultados inexperados. Non é posíbel crear unha característica subtractiva sen un recurso base dispoñíbel + - Vertical sketch axis Vertical sketch axis + - Horizontal sketch axis Horizontal sketch axis @@ -3809,15 +3699,15 @@ Se tes un antigo documento con obxectos PartDesign sen Corpo, usa a función mig Para usar este recurso é preciso que pertenza a un obxecto peza no documento. - - + + Edit %1 Editar %1 - + Set colors... Definir cores... @@ -4736,83 +4626,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4875,8 +4765,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4904,14 +4794,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4966,10 +4856,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5071,15 +4961,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts index caad93e99ebb..98ed00d7f9ce 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hr.ts @@ -883,8 +883,8 @@ tako da je izbjegnuto samopresjecanje. Stvori klon - + Make copy Napravi kopiju @@ -909,8 +909,8 @@ tako da je izbjegnuto samopresjecanje. Stvori logičku vrijednost - + Add a Body Dodaj tjelo @@ -940,22 +940,22 @@ tako da je izbjegnuto samopresjecanje. Pomjeri jedan objekt unutar stabla - + Mirrored Zrcaljeno - + Make LinearPattern Napravi pravocrtne uzorke - + PolarPattern Polarni uzorak - + Scaled Skalirano @@ -1899,7 +1899,7 @@ kliknite ponovno za završetak odabira Select reference... - Select reference... + Odaberite referencu... @@ -2053,73 +2053,43 @@ kliknite ponovno za završetak odabira PartDesignGui::TaskLinearPatternParameters - - Add feature - Dodaj element - - - - Remove feature - Ukloni element - - - - List can be reordered by dragging - Popis se može promijeniti povlačenjem - - - + Direction Smjer - + Reverse direction Obrnutim smjerom - + Mode Način - + Overall Length Ukupna dužina - - + + Offset Pomak - + Length Dužina - + Occurrences Ponavljanja - - OK - U redu - - - - Update view - Ažuriraj pogled - - - - Remove - Ukloniti - - - + Error Pogreška @@ -2180,115 +2150,65 @@ kliknite ponovno za završetak odabira PartDesignGui::TaskMirroredParameters - - Add feature - Dodaj element - - - - Remove feature - Ukloni element - - - - List can be reordered by dragging - Popis se može promijeniti povlačenjem - - - + Plane Površina - - OK - U redu - - - - Update view - Ažuriraj pogled - - - - Remove - Ukloniti - - - + Error Pogreška PartDesignGui::TaskMultiTransformParameters - - - Add feature - Dodaj element - - Remove feature - Ukloni element - - - - List can be reordered by dragging - Popis se može promijeniti povlačenjem - - - Transformations Transformacije - - Update view - Ažuriraj pogled - - - - Remove - Ukloniti + + OK + U redu - + Edit Uredi - + Delete Izbriši - + Add mirrored transformation Dodaj zrcalnu transformaciju - + Add linear pattern Dodaj linearni uzorak - + Add polar pattern Dodaj polarni uzorak - + Add scaled transformation Dodaj skalirani uzorak - + Move up Pomakni gore - + Move down Pomakni dolje @@ -2747,77 +2667,47 @@ mjereno duž navedenog smjera PartDesignGui::TaskPolarPatternParameters - - Add feature - Dodaj element - - - - Remove feature - Ukloni element - - - - List can be reordered by dragging - Popis se može promijeniti povlačenjem - - - + Axis Osi - + Reverse direction Obrnutim smjerom - + Mode Način - + Overall Angle Ukupni kut - + Offset Angle Kut pomaka - + Angle Kut - + Offset Pomak - + Occurrences Ponavljanja - - OK - U redu - - - - Update view - Ažuriraj pogled - - - - Remove - Ukloniti - - - + Error Pogreška @@ -2953,40 +2843,15 @@ mjereno duž navedenog smjera PartDesignGui::TaskScaledParameters - - Add feature - Dodaj element - - - - Remove feature - Ukloni element - - - + Factor Faktor - + Occurrences Ponavljanja - - - OK - U redu - - - - Update view - Ažuriraj pogled - - - - Remove - Ukloniti - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ kliknite ponovno za završetak odabira PartDesignGui::TaskTransformedParameters - + + Remove + Ukloniti + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Vertikalna os skice - + Horizontal sketch axis Horizontalna os skice - - + + Construction line %1 Izgradnja linije %1 - + Base X axis Baza X osi - + Base Y axis Baza Y osi - + Base Z axis Baza Z osi - - + + Select reference... - Odaberite referencu... + Select reference... - + Base XY plane Osnovna XY ploha - + Base YZ plane Osnovna YZ ploha - + Base XZ plane Osnovna XZ ploha + + + Add feature + Dodaj element + + + + Remove feature + Ukloni element + + + + List can be reordered by dragging + Popis se može promijeniti povlačenjem + + + + Update view + Ažuriraj pogled + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ kliknite ponovno za završetak odabira Molimo vas prvo stvorite ravninu ili odaberite lice za crtanje na - - - - - - + + + + + + A dialog is already open in the task panel Dijalog je već otvoren u ploči zadataka - - - - - - + + + + + + Do you want to close this dialog? Želite li zatvoriti ovaj dijalog? @@ -3749,14 +3639,14 @@ To može dovesti do neočekivanih rezultata. Nije moguće stvoriti dodavajući element bez pripadajućeg osnovnog elementa + - Vertical sketch axis Vertikalna os skice + - Horizontal sketch axis Horizontalna os skice @@ -3810,15 +3700,15 @@ Ako imate naslijeđeni dokument sa PartDesign objektom bez tijela koristite funk Da biste mogli koristiti ovu značajku ona mora pripadati objektu dio u dokumentu. - - + + Edit %1 Uređivanje %1 - + Set colors... Postavljanje boje ... @@ -4746,83 +4636,83 @@ preko 90: veći polumjer rupe na dnu BaznaZnačajka ima prazan oblik - + Cannot do boolean cut without BaseFeature Ne može se izvršiti rez bulovom operacijom bez BaznaZnačajka - - + + Cannot do boolean with anything but Part::Feature and its derivatives Ne može se izvršiti booleova opercija za sve osim za Komponenta::Značajka i njene izvedenice - + Cannot do boolean operation with invalid base shape Ne može se izvršiti booleova operacija sa neispravnim baznim oblikom - + Cannot do boolean on feature which is not in a body Ne može se izvršiti booleova operacija na značajki koja nije tijelo - + Base shape is null Bazni oblik je prazan - + Tool shape is null Oblik je prazan - + Fusion of tools failed Spajanje Alata nije uspjelo - - - - - + - + + + + + Resulting shape is not a solid Stvoreni oblik nije volumen tijelo - + Cut out failed Izrez nije uspjeo - + Common operation failed Uobičajena operacija nije uspjela - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Rezultat ima više volumenskih tijela: ovo trenutno nije podržano. @@ -4885,8 +4775,8 @@ preko 90: veći polumjer rupe na dnu Kut utora premali - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4897,14 +4787,14 @@ preko 90: veći polumjer rupe na dnu - odabrana skica ne pripada aktivnom tijelu. - + Creating a face from sketch failed Stvaranje lice od skice nije uspjelo - + Revolve axis intersects the sketch Os zaokreta presjeca skicu @@ -4914,14 +4804,14 @@ preko 90: veći polumjer rupe na dnu Izrez baznog elementa nije uspjelo - + Could not revolve the sketch! Nije moguće zavrtiti skicu! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Nije moguće napraviti površinu pomoću skice. @@ -4976,10 +4866,10 @@ Nije dozvoljeno presjecanje elemenata na skici. Greška: nije moguće napraviti Heliks + - Error: Result is not a solid Greška: Rezultat nije volumensko tijelo @@ -5081,16 +4971,16 @@ Nije dozvoljeno presjecanje elemenata na skici. Greška: Dodaj navoj nije uspjelo - + Boolean operation failed Booleanska operacija nije uspjela - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Nije moguće napraviti površinu pomoću skice. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts index de1392dd7873..1ba5b19d8bba 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_hu.ts @@ -883,8 +883,8 @@ az önmetszés elkerülése érdekében. Klónozás - + Make copy Másolat készítése @@ -909,8 +909,8 @@ az önmetszés elkerülése érdekében. Logikai érték létrehozása - + Add a Body Test hozzáadás @@ -940,22 +940,22 @@ az önmetszés elkerülése érdekében. Egy tárgy mozgatása fába - + Mirrored Tükrözött - + Make LinearPattern Egyenes vonalú minta készítése - + PolarPattern Poláris kiosztás - + Scaled Méretezett @@ -2054,73 +2054,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Jellemző hozzáadása - - - - Remove feature - Jellemző törlése - - - - List can be reordered by dragging - A lista húzással átrendezhető - - - + Direction Irány - + Reverse direction Fordított irányban - + Mode Mód - + Overall Length Teljes hossz - - + + Offset Eltolás - + Length Hossz - + Occurrences Események - - OK - OK - - - - Update view - Nézetek frissítése - - - - Remove - Törlés - - - + Error Hiba @@ -2181,115 +2151,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Jellemző hozzáadása - - - - Remove feature - Jellemző törlése - - - - List can be reordered by dragging - A lista húzással átrendezhető - - - + Plane Sík - - OK - OK - - - - Update view - Nézetek frissítése - - - - Remove - Törlés - - - + Error Hiba PartDesignGui::TaskMultiTransformParameters - - - Add feature - Jellemző hozzáadása - - Remove feature - Jellemző törlése - - - - List can be reordered by dragging - A lista húzással átrendezhető - - - Transformations Átalakítások - - Update view - Nézetek frissítése - - - - Remove - Törlés + + OK + OK - + Edit Szerkesztés - + Delete Törlés - + Add mirrored transformation Tükrözött átalakítás hozzáadása - + Add linear pattern Lineáris minta hozzáadása - + Add polar pattern Sarki minta hozzáadása - + Add scaled transformation Méretezett átalakítás hozzáadása - + Move up Mozgatás felfelé - + Move down Mozgatás lefelé @@ -2743,77 +2663,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Jellemző hozzáadása - - - - Remove feature - Jellemző törlése - - - - List can be reordered by dragging - A lista húzással átrendezhető - - - + Axis Tengely - + Reverse direction Fordított irányban - + Mode Mód - + Overall Angle Teljes szög - + Offset Angle Eltolási szög - + Angle Szög - + Offset Eltolás - + Occurrences Események - - OK - OK - - - - Update view - Nézetek frissítése - - - - Remove - Törlés - - - + Error Hiba @@ -2949,40 +2839,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Jellemző hozzáadása - - - - Remove feature - Jellemző törlése - - - + Factor Tényező - + Occurrences Események - - - OK - OK - - - - Update view - Nézetek frissítése - - - - Remove - Törlés - PartDesignGui::TaskShapeBinder @@ -3105,62 +2970,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Törlés + + + Normal sketch axis Normál vázlat tengely - + Vertical sketch axis Vázlat függőleges tengelye - + Horizontal sketch axis Vázlat vízszintes tengelye - - + + Construction line %1 Építési egyenes %1 - + Base X axis Alap X tengely - + Base Y axis Alap Y tengely - + Base Z axis Alap Z tengely - - + + Select reference... Válasszon referenciát... - + Base XY plane Alap XY síkban - + Base YZ plane Alap YZ síkban - + Base XZ plane Alap XZ síkban + + + Add feature + Jellemző hozzáadása + + + + Remove feature + Jellemző törlése + + + + List can be reordered by dragging + A lista húzással átrendezhető + + + + Update view + Nézetek frissítése + PartDesignGui::ViewProviderChamfer @@ -3454,28 +3344,28 @@ click again to end selection Kérem, először hozzon létre egy síkot vagy válasszon egy felületet amin vázlatot készít - - - - - - + + + + + + A dialog is already open in the task panel Egy párbeszédablak már nyitva van a feladat panelen - - - - - - + + + + + + Do you want to close this dialog? Szeretné bezárni a párbeszédpanelt? @@ -3741,14 +3631,14 @@ Ez nem várt eredményekhez vezethet. Nincs lehetőség kivonandó funkció létrehozására az alap funkció nélkül + - Vertical sketch axis Vázlat függőleges tengelye + - Horizontal sketch axis Vázlat vízszintes tengelye @@ -3802,15 +3692,15 @@ Ha van egy örökölt dokumentum AlkatrészTervezés objektummal Test nélkül, Funkció használatához szükséges, hogy az egy alkatrész objektumhoz tartozzon a dokumentumban. - - + + Edit %1 %1 szerkesztése - + Set colors... Színek beállítása... @@ -4730,83 +4620,83 @@ over 90: larger hole radius at the bottom Az Alapvető tulajdonság alakja üres - + Cannot do boolean cut without BaseFeature Alaptulajdonság nélkül nem lehet logikai vágást végrehajtani - - + + Cannot do boolean with anything but Part::Feature and its derivatives Logikai művelet csak a Part::Feature tulajdonsággal és származékaival hajtható végre - + Cannot do boolean operation with invalid base shape Nem lehet logikai műveletet végrehajtani érvénytelen elsődleges alakzattal - + Cannot do boolean on feature which is not in a body Nem hajthat végre logikai műveletet olyan szolgáltatáson, amely nem szerepel a tartalomban - + Base shape is null Alapalakzat üres - + Tool shape is null A szerszám alakja üres - + Fusion of tools failed A szerszám csatlakoztatása sikertelen - - - - - + - + + + + + Resulting shape is not a solid Az eredmény alakzat nem szilárd test - + Cut out failed A kivágás sikertelen - + Common operation failed A közös művelet sikertelen - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Az eredménynek több szilárd teste van: ez jelenleg nem támogatott. @@ -4869,8 +4759,8 @@ over 90: larger hole radius at the bottom A horony szöge túl kicsi - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4880,14 +4770,14 @@ over 90: larger hole radius at the bottom - a kiválasztott vázlat nem az aktív testhez tartozik. - + Creating a face from sketch failed Nem sikerült felületet létrehozni vázlatból - + Revolve axis intersects the sketch A körbmetszési tengely metszi a vázlatot @@ -4897,14 +4787,14 @@ over 90: larger hole radius at the bottom Az alaptulajdonságból a kivágás sikertelen - + Could not revolve the sketch! Nem lehetett körmetszeni a vázlatot! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Nem sikerült felületet létrehozni vázlatból. @@ -4959,10 +4849,10 @@ A vázlatelemek metszése egy vázlatban nem engedélyezett. Hiba: Nem sikerült felépíteni + - Error: Result is not a solid Hiba: Az eredmény nem szilárd test @@ -5064,15 +4954,15 @@ A vázlatelemek metszése egy vázlatban nem engedélyezett. Hiba: A menet hozzáadása sikertelen - + Boolean operation failed A logikai művelet sikertelen - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Nem sikerült felületet létrehozni vázlatból. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_id.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_id.ts index 584a212df239..76ab6d8f266b 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_id.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_id.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Create Clone - + Make copy Buat salinan @@ -909,8 +909,8 @@ so that self intersection is avoided. Create Boolean - + Add a Body Add a Body @@ -940,22 +940,22 @@ so that self intersection is avoided. Move an object inside tree - + Mirrored Tercermin - + Make LinearPattern Make LinearPattern - + PolarPattern PolarPattern - + Scaled Berskala @@ -2057,73 +2057,43 @@ klik lagi untuk mengakhiri seleksi PartDesignGui::TaskLinearPatternParameters - - Add feature - Tambahkan fitur - - - - Remove feature - Hapus fitur - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Direction Arah - + Reverse direction Reverse direction - + Mode Mode - + Overall Length Overall Length - - + + Offset Mengimbangi - + Length Panjangnya - + Occurrences Kemunculan - - OK - Baik - - - - Update view - Perbarui tampilan - - - - Remove - Menghapus - - - + Error Kesalahan @@ -2184,115 +2154,65 @@ klik lagi untuk mengakhiri seleksi PartDesignGui::TaskMirroredParameters - - Add feature - Tambahkan fitur - - - - Remove feature - Hapus fitur - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Plane Pesawat - - OK - Baik - - - - Update view - Perbarui tampilan - - - - Remove - Menghapus - - - + Error Kesalahan PartDesignGui::TaskMultiTransformParameters - - - Add feature - Tambahkan fitur - - Remove feature - Hapus fitur - - - - List can be reordered by dragging - List can be reordered by dragging - - - Transformations Transformasi - - Update view - Perbarui tampilan - - - - Remove - Menghapus + + OK + Baik - + Edit Edit - + Delete Menghapus - + Add mirrored transformation Tambahkan transformasi cermin - + Add linear pattern Tambahkan pola linier - + Add polar pattern Tambahkan pola polar - + Add scaled transformation Tambahkan transformasi skala - + Move up Pindah ke atas - + Move down Pindah ke bawah @@ -2747,77 +2667,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Tambahkan fitur - - - - Remove feature - Hapus fitur - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Axis Axis - + Reverse direction Reverse direction - + Mode Mode - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Sudut - + Offset Mengimbangi - + Occurrences Kemunculan - - OK - Baik - - - - Update view - Perbarui tampilan - - - - Remove - Menghapus - - - + Error Kesalahan @@ -2953,40 +2843,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Tambahkan fitur - - - - Remove feature - Hapus fitur - - - + Factor Faktor - + Occurrences Kemunculan - - - OK - Baik - - - - Update view - Perbarui tampilan - - - - Remove - Menghapus - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ klik lagi untuk mengakhiri seleksi PartDesignGui::TaskTransformedParameters - + + Remove + Menghapus + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Vertical sketch axis - + Horizontal sketch axis Horizontal sketch axis - - + + Construction line %1 Garis konstruksi% 1 - + Base X axis Sumbu X dasar - + Base Y axis Sumbu y dasar - + Base Z axis Sumbu dasar z - - + + Select reference... Select reference... - + Base XY plane Bidang dasar XY - + Base YZ plane Bidang dasar yz - + Base XZ plane Pesawat XZ Base + + + Add feature + Tambahkan fitur + + + + Remove feature + Hapus fitur + + + + List can be reordered by dragging + List can be reordered by dragging + + + + Update view + Perbarui tampilan + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ klik lagi untuk mengakhiri seleksi Silakan membuat pesawat terlebih dahulu atau pilih muka untuk membuat sketsa - - - - - - + + + + + + A dialog is already open in the task panel A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? Do you want to close this dialog? @@ -3748,14 +3638,14 @@ Hal ini dapat menyebabkan hasil yang tidak diharapkan. Tidak mungkin membuat fitur subtraktif tanpa fitur dasar yang tersedia + - Vertical sketch axis Vertical sketch axis + - Horizontal sketch axis Horizontal sketch axis @@ -3809,15 +3699,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Untuk menggunakan fitur ini, perlu disertakan bagian objek dalam dokumen. - - + + Edit %1 Edit %1 - + Set colors... Tetapkan warna... @@ -4737,83 +4627,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4876,8 +4766,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4888,14 +4778,14 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4905,14 +4795,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4967,10 +4857,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5072,15 +4962,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts index 630f4a5ace80..39ad4621293f 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_it.ts @@ -883,8 +883,8 @@ in modo da evitare l'intersezione automatica. Crea clone - + Make copy Fà una copia @@ -909,8 +909,8 @@ in modo da evitare l'intersezione automatica. Crea pallinatura - + Add a Body Aggiungi corpo @@ -940,22 +940,22 @@ in modo da evitare l'intersezione automatica. Sposta un oggetto all'interno dell'albero - + Mirrored Specchiato - + Make LinearPattern Serie rettangolare - + PolarPattern Serie polare - + Scaled Scalato @@ -2057,73 +2057,43 @@ fare nuovamente clic per terminare la selezione PartDesignGui::TaskLinearPatternParameters - - Add feature - Aggiungi funzione - - - - Remove feature - Rimuovi funzione - - - - List can be reordered by dragging - La lista può essere riordinata trascinando - - - + Direction Direzione - + Reverse direction Direzione inversa - + Mode Modalità - + Overall Length Overall Length - - + + Offset Offset - + Length Lunghezza - + Occurrences Occorrenze - - OK - OK - - - - Update view - Aggiorna la vista - - - - Remove - Rimuovi - - - + Error Errore @@ -2184,115 +2154,65 @@ fare nuovamente clic per terminare la selezione PartDesignGui::TaskMirroredParameters - - Add feature - Aggiungi funzione - - - - Remove feature - Rimuovi funzione - - - - List can be reordered by dragging - La lista può essere riordinata trascinando - - - + Plane Piano - - OK - OK - - - - Update view - Aggiorna la vista - - - - Remove - Rimuovi - - - + Error Errore PartDesignGui::TaskMultiTransformParameters - - - Add feature - Aggiungi funzione - - Remove feature - Rimuovi funzione - - - - List can be reordered by dragging - La lista può essere riordinata trascinando - - - Transformations Trasformazioni - - Update view - Aggiorna la vista - - - - Remove - Rimuovi + + OK + OK - + Edit Modifica - + Delete Elimina - + Add mirrored transformation Aggiungi una trasformazione specchiata - + Add linear pattern Aggiungi una serie rettangolare - + Add polar pattern Aggiungi una serie polare - + Add scaled transformation Aggiungi una trasformazione scalata - + Move up Sposta verso l'alto - + Move down Sposta in basso @@ -2355,7 +2275,7 @@ fare nuovamente clic per terminare la selezione Dimension - Quota + Dimensione @@ -2747,77 +2667,47 @@ misurata lungo la direzione specificata PartDesignGui::TaskPolarPatternParameters - - Add feature - Aggiungi funzione - - - - Remove feature - Rimuovi funzione - - - - List can be reordered by dragging - La lista può essere riordinata trascinando - - - + Axis Asse - + Reverse direction Direzione inversa - + Mode Modalità - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Angolo - + Offset Offset - + Occurrences Occorrenze - - OK - OK - - - - Update view - Aggiorna la vista - - - - Remove - Rimuovi - - - + Error Errore @@ -2953,40 +2843,15 @@ misurata lungo la direzione specificata PartDesignGui::TaskScaledParameters - - Add feature - Aggiungi funzione - - - - Remove feature - Rimuovi funzione - - - + Factor Fattore - + Occurrences Occorrenze - - - OK - OK - - - - Update view - Aggiorna la vista - - - - Remove - Rimuovi - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ fare nuovamente clic per terminare la selezione PartDesignGui::TaskTransformedParameters - + + Remove + Rimuovi + + + Normal sketch axis Asse normale allo schizzo - + Vertical sketch axis Asse verticale dello schizzo - + Horizontal sketch axis Asse orizzontale dello schizzo - - + + Construction line %1 Linea di costruzione %1 - + Base X axis Asse X di base - + Base Y axis Asse Y di base - + Base Z axis Asse Z di base - - + + Select reference... Seleziona riferimento... - + Base XY plane Piano di base XY - + Base YZ plane Piano di base YZ - + Base XZ plane Piano di base XZ + + + Add feature + Aggiungi funzione + + + + Remove feature + Rimuovi funzione + + + + List can be reordered by dragging + La lista può essere riordinata trascinando + + + + Update view + Aggiorna la vista + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ fare nuovamente clic per terminare la selezione Si prega di creare prima un piano oppure di selezionare una faccia su cui posizionare lo schizzo - - - - - - + + + + + + A dialog is already open in the task panel Nel pannello azioni c'è già una finestra di dialogo aperta - - - - - - + + + + + + Do you want to close this dialog? Si desidera chiudere questa finestra? @@ -3742,14 +3632,14 @@ This may lead to unexpected results. Non è possibile creare una funzione sottrattiva senza una funzione di base disponibile + - Vertical sketch axis Asse verticale dello schizzo + - Horizontal sketch axis Asse orizzontale dello schizzo @@ -3801,15 +3691,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Per poter utilizzare questa funzione essa deve appartenere a un oggetto parte del documento. - - + + Edit %1 Edita %1 - + Set colors... Imposta i colori... @@ -4727,83 +4617,83 @@ over 90: larger hole radius at the bottom BaseFeature ha una forma vuota - + Cannot do boolean cut without BaseFeature Impossibile eseguire il taglio booleano senza BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Impossibile eseguire operazioni booleane con qualsiasi cosa tranne Part::Feature e suoi derivati - + Cannot do boolean operation with invalid base shape Impossibile eseguire l'operazione booleana con una forma di base non valida - + Cannot do boolean on feature which is not in a body Impossibile eseguire la funzionalità booleana che non è in un corpo - + Base shape is null La forma di base è nulla - + Tool shape is null La forma dello strumento è nulla - + Fusion of tools failed Fusione di strumenti fallita - - - - - + - + + + + + Resulting shape is not a solid La forma risultante non è un solido - + Cut out failed Taglio fallito - + Common operation failed Operazione comune fallita - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Il risultato ha più solidi: attualmente non è supportato. @@ -4866,8 +4756,8 @@ over 90: larger hole radius at the bottom Angolo di scanalatura troppo piccolo - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4878,14 +4768,14 @@ over 90: larger hole radius at the bottom - lo schizzo selezionato non appartiene al corpo attivo. - + Creating a face from sketch failed Creazione di una faccia dallo schizzo fallita - + Revolve axis intersects the sketch L'asse di rivoluzione interseca lo schizzo @@ -4895,14 +4785,14 @@ over 90: larger hole radius at the bottom Ritaglio dalla funzione di base fallito - + Could not revolve the sketch! Impossibile fare la rivoluzione dello schizzo! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Impossibile creare la faccia dallo schizzo. @@ -4957,10 +4847,10 @@ L'intersezione delle entità dello schizzo in uno schizzo non è consentita.Errore: impossibile generare + - Error: Result is not a solid Errore: il risultato non è un solido @@ -5062,15 +4952,15 @@ L'intersezione delle entità dello schizzo in uno schizzo non è consentita.Errore: l'aggiunta del filetto non riuscita - + Boolean operation failed Operazione booleana fallita - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Impossibile creare la faccia dallo schizzo. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts index 9b218a8cd806..c1f8f358de98 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ja.ts @@ -882,8 +882,8 @@ so that self intersection is avoided. クローンを作成 - + Make copy コピーの作成 @@ -908,8 +908,8 @@ so that self intersection is avoided. Bool変数の作成 - + Add a Body ボディーを追加 @@ -939,22 +939,22 @@ so that self intersection is avoided. ツリー内のオブジェクトを移動 - + Mirrored 鏡像 - + Make LinearPattern 直線状パターンを作成 - + PolarPattern 円状パターン - + Scaled 拡大縮小 @@ -2056,73 +2056,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - フィーチャーを追加 - - - - Remove feature - フィーチャーを削除 - - - - List can be reordered by dragging - リストをドラッグして並べ替えることができます - - - + Direction 方向 - + Reverse direction 逆方向 - + Mode モード - + Overall Length 全体長さ - - + + Offset オフセット - + Length 長さ - + Occurrences 回数 - - OK - OK - - - - Update view - ビューを更新 - - - - Remove - 削除 - - - + Error エラー @@ -2183,115 +2153,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - フィーチャーを追加 - - - - Remove feature - フィーチャーを削除 - - - - List can be reordered by dragging - リストをドラッグして並べ替えることができます - - - + Plane 平面 - - OK - OK - - - - Update view - ビューを更新 - - - - Remove - 削除 - - - + Error エラー PartDesignGui::TaskMultiTransformParameters - - - Add feature - フィーチャーを追加 - - Remove feature - フィーチャーを削除 - - - - List can be reordered by dragging - リストをドラッグして並べ替えることができます - - - Transformations 配置変換 - - Update view - ビューを更新 - - - - Remove - 削除 + + OK + OK - + Edit 編集 - + Delete 削除 - + Add mirrored transformation 鏡像変換を追加 - + Add linear pattern 直線状パターンを追加 - + Add polar pattern 円状パターンを追加 - + Add scaled transformation 拡大縮小変換を追加 - + Move up 上へ移動 - + Move down 下へ移動 @@ -2745,77 +2665,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - フィーチャーを追加 - - - - Remove feature - フィーチャーを削除 - - - - List can be reordered by dragging - リストをドラッグして並べ替えることができます - - - + Axis - + Reverse direction 逆方向 - + Mode モード - + Overall Angle 全体角度 - + Offset Angle オフセット角度 - + Angle 角度 - + Offset オフセット - + Occurrences 回数 - - OK - OK - - - - Update view - ビューを更新 - - - - Remove - 削除 - - - + Error エラー @@ -2951,40 +2841,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - フィーチャーを追加 - - - - Remove feature - フィーチャーを削除 - - - + Factor 係数 - + Occurrences 回数 - - - OK - OK - - - - Update view - ビューを更新 - - - - Remove - 削除 - PartDesignGui::TaskShapeBinder @@ -3108,62 +2973,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + 削除 + + + Normal sketch axis 通常のスケッチ軸 - + Vertical sketch axis 垂直スケッチ軸 - + Horizontal sketch axis 水平スケッチ軸 - - + + Construction line %1 補助線 %1 - + Base X axis ベースX軸 - + Base Y axis ベースY軸 - + Base Z axis ベースZ軸 - - + + Select reference... 参照を選択... - + Base XY plane ベースXY平面 - + Base YZ plane ベースYZ平面 - + Base XZ plane ベースXZ平面 + + + Add feature + フィーチャーを追加 + + + + Remove feature + フィーチャーを削除 + + + + List can be reordered by dragging + リストをドラッグして並べ替えることができます + + + + Update view + ビューを更新 + PartDesignGui::ViewProviderChamfer @@ -3457,28 +3347,28 @@ click again to end selection まず平面を作成するか、またはスケッチを描く面を選択してください。 - - - - - - + + + + + + A dialog is already open in the task panel タスクパネルで既にダイアログが開かれています - - - - - - + + + + + + Do you want to close this dialog? このダイアログを閉じますか? @@ -3742,14 +3632,14 @@ This may lead to unexpected results. 利用可能なベースフィーチャーがない場合、減算フィーチャーは作成できません。 + - Vertical sketch axis 垂直スケッチ軸 + - Horizontal sketch axis 水平スケッチ軸 @@ -3803,15 +3693,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr このフィーチャーを使用するためにはそれがドキュメント内のパーツオブジェクトに属している必要があります。 - - + + Edit %1 %1を編集 - + Set colors... 色を設定... @@ -4727,83 +4617,83 @@ over 90: larger hole radius at the bottom BaseFeatureに空のシェイプがあります。 - + Cannot do boolean cut without BaseFeature BaseFeatureなしでブーリアン演算のカットを行うことはできません。 - - + + Cannot do boolean with anything but Part::Feature and its derivatives Part::Featureとその派生物以外ではブーリアン演算を行うことはできません。 - + Cannot do boolean operation with invalid base shape 無効なベースシェイプではブーリアン演算を行うことはできません。 - + Cannot do boolean on feature which is not in a body ボディー内にないフィーチャーではブーリアン演算を行うことはできません。 - + Base shape is null ベースシェイプが null です。 - + Tool shape is null ツールシェイプが null です。 - + Fusion of tools failed 結合ツールが失敗しました。 - - - - - + - + + + + + Resulting shape is not a solid 結果シェイプはソリッドではありません。 - + Cut out failed 切り抜きに失敗しました。 - + Common operation failed 共通部分演算が失敗しました。 - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. 結果に複数のソリッドが含まれています。これは現在サポートされていません。 @@ -4866,8 +4756,8 @@ over 90: larger hole radius at the bottom グルーブの角度が小さすぎます。 - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4877,14 +4767,14 @@ over 90: larger hole radius at the bottom ・ 選択されたスケッチがアクティブなボディーに属していない。 - + Creating a face from sketch failed スケッチから面を作成できませんでした。 - + Revolve axis intersects the sketch 回転押し出しの軸がスケッチと交差しています。 @@ -4894,14 +4784,14 @@ over 90: larger hole radius at the bottom ベースフィーチャーの切り抜きに失敗しました。 - + Could not revolve the sketch! スケッチを回転押し出しできませんでした! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. スケッチから面を作成できませんでした。 @@ -4956,10 +4846,10 @@ Intersecting sketch entities in a sketch are not allowed. エラー: 作成できませんでした。 + - Error: Result is not a solid エラー: 結果はソリッドではありません。 @@ -5061,15 +4951,15 @@ Intersecting sketch entities in a sketch are not allowed. エラー: ねじ山の追加に失敗しました。 - + Boolean operation failed ブーリアン演算が失敗しました。 - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. スケッチから面を作成できませんでした。 diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts index 768c06b2182c..cdd6ae5d90e8 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ka.ts @@ -148,7 +148,7 @@ so that self intersection is avoided. PartDesign - ნაწილისდიზაინი + ნაწილის დაპროექტება @@ -810,7 +810,7 @@ so that self intersection is avoided. PartDesign - ნაწილის დაპროექტება + ნაწილისდიზაინი @@ -882,8 +882,8 @@ so that self intersection is avoided. ასლის შექმნა - + Make copy ასლის გადაღება @@ -908,8 +908,8 @@ so that self intersection is avoided. ბულევის შექმნა - + Add a Body სხეულის დამატება @@ -939,22 +939,22 @@ so that self intersection is avoided. ობიექტის ხის შიგნით შეტანა - + Mirrored სიმეტრია - + Make LinearPattern LinearPattern-ის შექმნა - + PolarPattern წრიული მასივი - + Scaled მასშტაბირება @@ -1600,7 +1600,7 @@ click again to end selection Input error - Input error + შეყვანის შეცდომა @@ -1760,7 +1760,7 @@ click again to end selection Valid - ჭეშმარიტი + სწორი @@ -1855,7 +1855,7 @@ click again to end selection Valid - სწორი + ჭეშმარიტი @@ -1902,7 +1902,7 @@ click again to end selection Select reference... - Select reference... + აირჩიეთ მიმართვა... @@ -1932,7 +1932,7 @@ click again to end selection Pitch: - ხმის სიმაღლე: + ტანგაჟი: @@ -2056,73 +2056,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - თვისების დამატება - - - - Remove feature - თვისების მოცილება - - - - List can be reordered by dragging - სიის გადალაგება შეგიძლიათ გადათრევით - - - + Direction მიმართულება - + Reverse direction მიმართულების შებრუნება - + Mode რეჟიმი - + Overall Length სრული სიგრძე - - + + Offset წანაცვლება - + Length სიგრძე - + Occurrences მოვლენები - - OK - დიახ - - - - Update view - ხედის განახლება - - - - Remove - წაშლა - - - + Error შეცდომა @@ -2183,115 +2153,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - თვისების დამატება - - - - Remove feature - თვისების მოცილება - - - - List can be reordered by dragging - სიის გადალაგება გადათრევით შეგიძლიათ - - - + Plane ზედაპირი - - OK - დიახ - - - - Update view - ხედის განახლება - - - - Remove - წაშლა - - - + Error შეცდომა PartDesignGui::TaskMultiTransformParameters - - - Add feature - თვისების დამატება - - Remove feature - თვისების წაშლა - - - - List can be reordered by dragging - სიის გადალაგება გადათრევით შეგიძლიათ - - - Transformations გარდაქმნები - - Update view - ხედის განახლება - - - - Remove - წაშლა + + OK + დიახ - + Edit ჩასწორება - + Delete წაშლა - + Add mirrored transformation სარკისებური გარდაქმნის დამატება - + Add linear pattern ხაზოვანი მასივის დამატება - + Add polar pattern წრიული მასივის დამატება - + Add scaled transformation მასშტაბირებული გარდაქმნის დამატება - + Move up აწევა - + Move down ქვემოთ ჩამოწევა @@ -2465,7 +2385,7 @@ measured along the specified direction Reversed - Reversed + შებრუნებულია @@ -2649,7 +2569,7 @@ measured along the specified direction Input error - შეყვანის შეცდომა + Input error @@ -2735,7 +2655,7 @@ measured along the specified direction Up to face - ზედაპირამდე + სიბრტყემდე @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - თვისების დამატება - - - - Remove feature - თვისების წაშლა - - - - List can be reordered by dragging - სიის გადალაგება გადათრევით შეგიძლიათ - - - + Axis ღერძი - + Reverse direction მიმართულების შებრუნება - + Mode რეჟიმი - + Overall Angle სრული კუთხე - + Offset Angle წანაცვლების კუთხე - + Angle კუთხე - + Offset წანაცვლება - + Occurrences - მოვლენები - - - - OK - დიახ - - - - Update view - ხედის განახლება - - - - Remove - წაშლა + გამოვლენები - + Error შეცდომა @@ -2840,7 +2730,7 @@ measured along the specified direction Dimension - განზომილება + ზომა @@ -2868,12 +2758,12 @@ measured along the specified direction Horizontal sketch axis - Horizontal sketch axis + თარაზული ესკიზის ღერძი Vertical sketch axis - Vertical sketch axis + შვეული ესკიზის ღერძი @@ -2906,7 +2796,7 @@ measured along the specified direction Face - სიბრტყე + ზედაპირი @@ -2952,39 +2842,14 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - თვისების დამატება - - - - Remove feature - თვისების წაშლა - - - + Factor ფაქტორი - + Occurrences - გამოვლენები - - - - OK - დიახ - - - - Update view - ხედის განახლება - - - - Remove - წაშლა + მოვლენები @@ -3020,7 +2885,7 @@ measured along the specified direction Face - ზედაპირი + სიბრტყე @@ -3109,62 +2974,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + წაშლა + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis შვეული ესკიზის ღერძი - + Horizontal sketch axis თარაზული ესკიზის ღერძი - - + + Construction line %1 - დამხმარე ხაზი %1 + კონსტრუქციის ხაზი %1 - + Base X axis საბაზისო X ღერძი - + Base Y axis საბაზისო Y ღერძი - + Base Z axis საბაზისო Z ღერძი - - + + Select reference... - აირჩიეთ მიმართვა... + Select reference... - + Base XY plane საბაზისო XY სიბრტყე - + Base YZ plane საბაზისო YZ სიბრტყე - + Base XZ plane საბაზისო XZ სიბრტყე + + + Add feature + თვისების დამატება + + + + Remove feature + თვისების მოცილება + + + + List can be reordered by dragging + სიის გადალაგება გადათრევით შეგიძლიათ + + + + Update view + ხედის განახლება + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ click again to end selection ჯერ საჭიროა სიბრტყის შექმნა ან სახაზავი ზედაპირის არჩევა - - - - - - + + + + + + A dialog is already open in the task panel ფანჯარა უკვე ღიაა ამოცანების პანელზე - - - - - - + + + + + + Do you want to close this dialog? ნამდვილად გსურთ ამ ფანჯრის დახურვა? @@ -3747,21 +3637,21 @@ This may lead to unexpected results. საბაზისო ელემემენტის გარეშე გამოკლებადი თვისების შექმნა შეუძლებელია + - Vertical sketch axis - შვეული ესკიზის ღერძი + Vertical sketch axis + - Horizontal sketch axis - თარაზული ესკიზის ღერძი + Horizontal sketch axis Construction line %1 - კონსტრუქციის ხაზი %1 + დამხმარე ხაზი %1 @@ -3808,15 +3698,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr ამ თვისების გამოსაყენებლად ის დოკუმენტში ნაწლის ობიექტს უნდა ეკუთვნოდეს. - - + + Edit %1 ჩასწორება %1 - + Set colors... ფერების დაყენება... @@ -3829,7 +3719,7 @@ If you have a legacy document with PartDesign objects without Body, use the migr Plane - ზედაპირი + სიბრტყე @@ -4309,7 +4199,7 @@ Only available for holes without thread Standard - სტანდარტული + ჩვეულებრივი @@ -4471,7 +4361,7 @@ over 90: larger hole radius at the bottom Reversed - შებრუნებულია + Reversed @@ -4736,83 +4626,83 @@ over 90: larger hole radius at the bottom საბაზისო თვისების მოხაზულობა ცარიელია - + Cannot do boolean cut without BaseFeature საბაზისო თვისების გარეშე ლოგიკურ ამოჭრას ვერ განვახორციელებ - - + + Cannot do boolean with anything but Part::Feature and its derivatives Part::Feature და მისი წარმოებულების გარდა ლოგიკურ ოპერაციას ვერაფერზე გამოიყენებთ - + Cannot do boolean operation with invalid base shape არასწორი საბაზისო მოხაზულობით ლოგიკურ ოპერაციას ვერ ჩაატარებთ - + Cannot do boolean on feature which is not in a body ლოგიკური ოპერაციის ჩატარება ობიექტზე, რომელიც სხეული არაა, შეუძლებელია - + Base shape is null საბაზისო მოხაზულობა ნულოვანია - + Tool shape is null ხელსაწყოს მოხაზულობა ნულოვანია - + Fusion of tools failed ხელსაწყოების შერწყმის შეცდომა - - - - - + - + + + + + Resulting shape is not a solid მიღებული მონახაზი მყარი სხეული არაა - + Cut out failed ამოჭრის შეცდომა - + Common operation failed საერთო ოპერაციის შეცდომა - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. შედეგს ერთზე მეტი მყარი სხეული გააჩნია: ეს ამჟამად მხარდაჭერილი არაა. @@ -4875,8 +4765,8 @@ over 90: larger hole radius at the bottom კილოს კუთხე მეტისმეტად მცირეა - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ over 90: larger hole radius at the bottom - არჩეული ესკიზი არ ეკუთვნის აქტიურ სხეულს. - + Creating a face from sketch failed ესკიზიდან ზედაპირის შექმნა შეუძლებელია - + Revolve axis intersects the sketch ბრუნვის ღერძი ესკიზს კვეთს @@ -4904,14 +4794,14 @@ over 90: larger hole radius at the bottom საბაზისო თვისებიდან ამოჭრის შეცდომა - + Could not revolve the sketch! ესკიზის მოტრიალება შეუძლებელია! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. ესკიზიდან ზედაპირის შექმნის შეცდომა. @@ -4966,10 +4856,10 @@ Intersecting sketch entities in a sketch are not allowed. შეცდომა: აგება შეუძლებელია + - Error: Result is not a solid შეცდომა: შედეგი მყარი სხეული არაა @@ -5071,15 +4961,15 @@ Intersecting sketch entities in a sketch are not allowed. შეცდომა: კუთხვილის დამატების შეცდომა - + Boolean operation failed ლოგიკური ოპერაციის შეცდომა - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. ესკიზიდან ზედაპირის შექმნის შეცდომა. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts index 4bad8767dc86..f5c58bb9642a 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ko.ts @@ -882,8 +882,8 @@ so that self intersection is avoided. Clone 생성 - + Make copy 사본 만들기 @@ -908,8 +908,8 @@ so that self intersection is avoided. 부울 생성 - + Add a Body 바디 추가 @@ -939,22 +939,22 @@ so that self intersection is avoided. 트리 내부에서 개체 이동 - + Mirrored 대칭 - + Make LinearPattern 선형 패턴 만들기 - + PolarPattern 원형 패턴 - + Scaled 배율 @@ -2056,73 +2056,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - 피처 추가 - - - - Remove feature - 피처 제거 - - - - List can be reordered by dragging - 드래그하여 목록을 재정렬할 수 있습니다. - - - + Direction 방향 - + Reverse direction Reverse direction - + Mode Mode - + Overall Length Overall Length - - + + Offset 오프셋 - + Length 거리 - + Occurrences 생성 수(사용되지 않음) - - OK - 확인 - - - - Update view - 보기 재생성 - - - - Remove - 제거 - - - + Error 에러 @@ -2183,115 +2153,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - 피처 추가 - - - - Remove feature - 피처 제거 - - - - List can be reordered by dragging - 드래그하여 목록을 재정렬할 수 있습니다. - - - + Plane 평면 - - OK - 확인 - - - - Update view - 보기 재생성 - - - - Remove - 제거 - - - + Error 에러 PartDesignGui::TaskMultiTransformParameters - - - Add feature - 피처 추가 - - Remove feature - 피처 제거 - - - - List can be reordered by dragging - 드래그하여 목록을 재정렬할 수 있습니다. - - - Transformations 적용 패턴 - - Update view - 보기 재생성 - - - - Remove - 제거 + + OK + 확인 - + Edit 편집 - + Delete 삭제 - + Add mirrored transformation 미러(Mirrored) 패턴 추가 - + Add linear pattern 선형(Linear) 패턴 추가 - + Add polar pattern 원형(Polar) 패턴 추가 - + Add scaled transformation 확대/축소(Scaled) 변환 추가 - + Move up 위로 이동 - + Move down 아래로 이동 @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - 피처 추가 - - - - Remove feature - 피처 제거 - - - - List can be reordered by dragging - 드래그하여 목록을 재정렬할 수 있습니다. - - - + Axis - + Reverse direction Reverse direction - + Mode Mode - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle - + Offset 오프셋 - + Occurrences 생성 수(사용되지 않음) - - OK - 확인 - - - - Update view - 보기 재생성 - - - - Remove - 제거 - - - + Error 에러 @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - 피처 추가 - - - - Remove feature - 피처 제거 - - - + Factor 비율 - + Occurrences 생성 수(사용되지 않음) - - - OK - 확인 - - - - Update view - 보기 재생성 - - - - Remove - 제거 - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + 제거 + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Vertical sketch axis - + Horizontal sketch axis Horizontal sketch axis - - + + Construction line %1 Construction line %1 - + Base X axis 절대좌표계 X 축 - + Base Y axis 절대좌표계 Y 축 - + Base Z axis 절대좌표계 Z 축 - - + + Select reference... 레퍼런스 선택 - + Base XY plane 절대좌표계 XY 평면 - + Base YZ plane 절대좌표계 YZ 평면 - + Base XZ plane 절대좌표계 XZ 평면 + + + Add feature + 피처 추가 + + + + Remove feature + 피처 제거 + + + + List can be reordered by dragging + 드래그하여 목록을 재정렬할 수 있습니다. + + + + Update view + 보기 재생성 + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ click again to end selection 평면을 먼저 생성하거나 스케치를 생성할 면을 먼저 선택하세요. - - - - - - + + + + + + A dialog is already open in the task panel 테스크 패널에 이미 다이얼로그가 열려있습니다. - - - - - - + + + + + + Do you want to close this dialog? 다이얼로그를 닫으시겠습니까? @@ -3747,14 +3637,14 @@ This may lead to unexpected results. 기본 피처없이 빼기(Subtractive) 피처를 생성할 수 없습니다. + - Vertical sketch axis Vertical sketch axis + - Horizontal sketch axis Horizontal sketch axis @@ -3808,15 +3698,15 @@ Body가 없는 PartDesign 개체가 있는 레거시 문서가 있는 경우 Par 이 피처를 사용하기 위해서는, 피처가 현재 문서에 있는 파트 객체에 속해야 합니다. - - + + Edit %1 Edit %1 - + Set colors... 색 설정... @@ -4736,83 +4626,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4875,8 +4765,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ over 90: larger hole radius at the bottom - 선택한 스케치는 활성 바디에 속하지 않습니다. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4904,14 +4794,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4966,10 +4856,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5071,15 +4961,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts index 09537ce6e3e0..52a693b3405a 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_nl.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Maak een kloon - + Make copy Maak een kopie @@ -909,8 +909,8 @@ so that self intersection is avoided. Maak Boolean - + Add a Body Voeg lichaam toe @@ -940,22 +940,22 @@ so that self intersection is avoided. Verplaats een object binnen de boom - + Mirrored Gespiegeld - + Make LinearPattern Lineair patroon maken - + PolarPattern Polair patroon - + Scaled geschaald @@ -2055,73 +2055,43 @@ klik nogmaals om de selectie te beëindigen PartDesignGui::TaskLinearPatternParameters - - Add feature - Functie toevoegen - - - - Remove feature - Functie verwijderen - - - - List can be reordered by dragging - Lijst kan worden gesorteerd door te slepen - - - + Direction Richting - + Reverse direction Richting omkeren - + Mode Instelling - + Overall Length Algemene lengte - - + + Offset Verschuiving - + Length Lengte - + Occurrences Gevallen - - OK - OK - - - - Update view - Weergave verversen - - - - Remove - Verwijderen - - - + Error Fout @@ -2182,115 +2152,65 @@ klik nogmaals om de selectie te beëindigen PartDesignGui::TaskMirroredParameters - - Add feature - Functie toevoegen - - - - Remove feature - Functie verwijderen - - - - List can be reordered by dragging - Lijst kan worden gesorteerd door te slepen - - - + Plane Vlak - - OK - OK - - - - Update view - Weergave verversen - - - - Remove - Verwijderen - - - + Error Fout PartDesignGui::TaskMultiTransformParameters - - - Add feature - Functie toevoegen - - Remove feature - Functie verwijderen - - - - List can be reordered by dragging - Lijst kan worden gesorteerd door te slepen - - - Transformations Transformaties - - Update view - Weergave verversen - - - - Remove - Verwijderen + + OK + OK - + Edit Bewerken - + Delete Verwijderen - + Add mirrored transformation Gespiegelde transformatie toevoegen - + Add linear pattern Lineair patroon toevoegen - + Add polar pattern Polair patroon toevoegen - + Add scaled transformation Geschaalde transformatie toevoegen - + Move up Naar boven verplaatsen - + Move down Naar beneden verplaatsen @@ -2745,77 +2665,47 @@ gemeten in de opgegeven richting PartDesignGui::TaskPolarPatternParameters - - Add feature - Functie toevoegen - - - - Remove feature - Functie verwijderen - - - - List can be reordered by dragging - Lijst kan worden gesorteerd door te slepen - - - + Axis As - + Reverse direction Richting omkeren - + Mode Instelling - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Hoek - + Offset Verschuiving - + Occurrences Gevallen - - OK - OK - - - - Update view - Weergave verversen - - - - Remove - Verwijderen - - - + Error Fout @@ -2951,40 +2841,15 @@ gemeten in de opgegeven richting PartDesignGui::TaskScaledParameters - - Add feature - Functie toevoegen - - - - Remove feature - Functie verwijderen - - - + Factor Factor - + Occurrences Gevallen - - - OK - OK - - - - Update view - Weergave verversen - - - - Remove - Verwijderen - PartDesignGui::TaskShapeBinder @@ -3108,62 +2973,87 @@ klik nogmaals om de selectie te beëindigen PartDesignGui::TaskTransformedParameters - + + Remove + Verwijderen + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Verticale schetsas - + Horizontal sketch axis Horizontale schetsas - - + + Construction line %1 Constructielijn %1 - + Base X axis Basis X-as - + Base Y axis Basis Y-as - + Base Z axis Basis Z-as - - + + Select reference... Selecteer referentie... - + Base XY plane Basis oppervlak XY - + Base YZ plane Basis oppervlak YZ - + Base XZ plane Basis oppervlak XZ + + + Add feature + Functie toevoegen + + + + Remove feature + Functie verwijderen + + + + List can be reordered by dragging + Lijst kan worden gesorteerd door te slepen + + + + Update view + Weergave verversen + PartDesignGui::ViewProviderChamfer @@ -3457,28 +3347,28 @@ klik nogmaals om de selectie te beëindigen Maak eerst een werk-vlak of selecteer een zijde om op te schetsen - - - - - - + + + + + + A dialog is already open in the task panel Een dialoog is al geopend in het taakvenster - - - - - - + + + + + + Do you want to close this dialog? Wilt u dit dialoogvenster sluiten? @@ -3746,14 +3636,14 @@ Dit kan tot onverwachte resultaten leiden. Het is niet mogelijk om een aftrekkende functie maken zonder dat een basis functie beschikbaar is + - Vertical sketch axis Verticale schetsas + - Horizontal sketch axis Horizontale schetsas @@ -3807,15 +3697,15 @@ Als u een ouder document met PartDesign objecten zonder een lichaam hebt, gebrui Om deze functie te gebruiken moet deze tot een onderdeel object behoren in het document. - - + + Edit %1 Bewerken %1 - + Set colors... Kleuren instellen... @@ -4735,83 +4625,83 @@ boven de 90: groter gat straal aan de onderkant BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4874,8 +4764,8 @@ boven de 90: groter gat straal aan de onderkant Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4886,14 +4776,14 @@ boven de 90: groter gat straal aan de onderkant - de geselecteerde schets behoort niet tot de actieve lichaam. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4903,14 +4793,14 @@ boven de 90: groter gat straal aan de onderkant Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4965,10 +4855,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5070,15 +4960,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts index 3a23c2849d53..cf5ee5bf5894 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pl.ts @@ -169,7 +169,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Projekt Części + Projekt części @@ -259,7 +259,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Projekt części + Projekt Części @@ -277,7 +277,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Part Design + Projekt części @@ -295,7 +295,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Projekt Części + Part Design @@ -331,7 +331,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Part Design + Projekt Części @@ -349,7 +349,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Projekt Części + Part Design @@ -655,7 +655,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Part Design + Projekt Części @@ -673,7 +673,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Projekt Części + Part Design @@ -813,7 +813,7 @@ wartość Fałsz = uzębienie wewnętrzne PartDesign - Projekt części + Projekt Części @@ -885,8 +885,8 @@ wartość Fałsz = uzębienie wewnętrzne Utwórz klona - + Make copy Utwórz kopię @@ -911,8 +911,8 @@ wartość Fałsz = uzębienie wewnętrzne Utwórz cechę funkcją logiczną - + Add a Body Dodaj zawartość @@ -942,22 +942,22 @@ wartość Fałsz = uzębienie wewnętrzne Przesuń cechę wewnątrz drzewa - + Mirrored Transformacja odbicia lustrzanego - + Make LinearPattern Utwórz wzorzec liniowy - + PolarPattern Transformacja szyku kołowego - + Scaled Transformacja zmiany skali @@ -1610,7 +1610,7 @@ kliknij ponownie, aby zakończyć wybór Click button to enter selection mode, click again to end selection - Kliknij w przycisk, aby przejść do trybu wyboru, + Kliknij, aby przejść do trybu wyboru, kliknij ponownie, aby zakończyć wybór @@ -1933,7 +1933,7 @@ kliknij ponownie, aby zakończyć wybór Pitch: - Odstęp: + Skok: @@ -2057,73 +2057,43 @@ kliknij ponownie, aby zakończyć wybór PartDesignGui::TaskLinearPatternParameters - - Add feature - Dodaj element - - - - Remove feature - Usuń element - - - - List can be reordered by dragging - Lista może zostać uporządkowana poprzez przeciąganie - - - + Direction Kierunek - + Reverse direction Odwróć kierunek - + Mode Tryb - + Overall Length Długość całkowita - - + + Offset Odsunięcie - + Length Długość - + Occurrences Wystąpienia - - OK - OK - - - - Update view - Aktualizuj widok - - - - Remove - Usuń - - - + Error Błąd @@ -2184,115 +2154,65 @@ kliknij ponownie, aby zakończyć wybór PartDesignGui::TaskMirroredParameters - - Add feature - Dodaj element - - - - Remove feature - Usuń element - - - - List can be reordered by dragging - Lista może zostać uporządkowana poprzez przeciąganie - - - + Plane Płaszczyzna - - OK - OK - - - - Update view - Aktualizuj widok - - - - Remove - Usuń - - - + Error Błąd PartDesignGui::TaskMultiTransformParameters - - - Add feature - Dodaj element - - Remove feature - Usuń element - - - - List can be reordered by dragging - Lista może zostać uporządkowana poprzez przeciąganie - - - Transformations Transformacje - - Update view - Aktualizuj widok - - - - Remove - Usuń + + OK + OK - + Edit Edytuj - + Delete Usuń - + Add mirrored transformation Dodaj transformację odbicia lustrzanego - + Add linear pattern Dodaj transformację szyku liniowego - + Add polar pattern Dodaj transformację szyku kołowego - + Add scaled transformation Dodaj transformację zmiany skali - + Move up Przesuń w górę - + Move down Przenieś w dół @@ -2466,7 +2386,7 @@ mierzona wzdłuż podanego kierunku Reversed - Odwrócony + Odwrotny @@ -2747,77 +2667,47 @@ mierzona wzdłuż podanego kierunku PartDesignGui::TaskPolarPatternParameters - - Add feature - Dodaj element - - - - Remove feature - Usuń element - - - - List can be reordered by dragging - Lista może zostać uporządkowana poprzez przeciąganie - - - + Axis - + Reverse direction Odwróć kierunek - + Mode Tryb - + Overall Angle Kąt całkowity - + Offset Angle Kąt odsunięcia - + Angle Kąt - + Offset Odsunięcie - + Occurrences Wystąpienia - - OK - OK - - - - Update view - Aktualizuj widok - - - - Remove - Usuń - - - + Error Błąd @@ -2895,7 +2785,7 @@ mierzona wzdłuż podanego kierunku Reversed - Odwrotny + Odwrócony @@ -2907,7 +2797,7 @@ mierzona wzdłuż podanego kierunku Face - Powierzchnia + Ściana @@ -2953,40 +2843,15 @@ mierzona wzdłuż podanego kierunku PartDesignGui::TaskScaledParameters - - Add feature - Dodaj element - - - - Remove feature - Usuń element - - - + Factor Współczynnik - + Occurrences Wystąpienia - - - OK - OK - - - - Update view - Aktualizuj widok - - - - Remove - Usuń - PartDesignGui::TaskShapeBinder @@ -3021,7 +2886,7 @@ mierzona wzdłuż podanego kierunku Face - Ściana + Powierzchnia @@ -3030,13 +2895,13 @@ mierzona wzdłuż podanego kierunku Click button to enter selection mode, click again to end selection - Kliknij, aby przejść do trybu wyboru, + Kliknij w przycisk, aby przejść do trybu wyboru, kliknij ponownie, aby zakończyć wybór Select - Dodaj + Wybierz @@ -3110,62 +2975,87 @@ kliknij ponownie, aby zakończyć wybór PartDesignGui::TaskTransformedParameters - + + Remove + Usuń + + + Normal sketch axis Oś normalna do szkicu - + Vertical sketch axis Pionowa oś szkicu - + Horizontal sketch axis Pozioma oś szkicu - - + + Construction line %1 Linia konstrukcyjna %1 - + Base X axis Bazowa oś X - + Base Y axis Bazowa oś Y - + Base Z axis Bazowa oś Z - - + + Select reference... Wybierz odniesienie ... - + Base XY plane Bazowa płaszczyzna XY - + Base YZ plane Bazowa płaszczyzna YZ - + Base XZ plane Bazowa płaszczyzna XZ + + + Add feature + Dodaj element + + + + Remove feature + Usuń element + + + + List can be reordered by dragging + Lista może zostać uporządkowana poprzez przeciąganie + + + + Update view + Aktualizuj widok + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ kliknij ponownie, aby zakończyć wybór Proszę stworzyć najpierw płaszczyznę lub wybrać ścianę dla umieszczenia szkicu - - - - - - + + + + + + A dialog is already open in the task panel Okno dialogowe jest już otwarte w panelu zadań - - - - - - + + + + + + Do you want to close this dialog? Czy chcesz zamknąć to okno? @@ -3748,14 +3638,14 @@ Może to prowadzić do nieoczekiwanych rezultatów. Nie jest możliwe utworzenie elementu do odjęcia bez dostępnego elementu bazowego + - Vertical sketch axis Pionowa oś szkicu + - Horizontal sketch axis Pozioma oś szkicu @@ -3809,15 +3699,15 @@ Jeśli masz starszy dokument z obiektami środowiska pracy Projekt Części bez Ta cecha musi przynależeć do obiektu części w danym dokumencie, by można ją było wykorzystać. - - + + Edit %1 Edytuj %1 - + Set colors... Ustaw kolory ... @@ -4310,7 +4200,7 @@ Dostępne tylko dla otworów bez gwintu Standard - Standardowe + Standardowy @@ -4737,83 +4627,83 @@ powyżej 90°: większy promień otworu u dołu Kształt Cechy Podstawowej nie został zdefiniowany - + Cannot do boolean cut without BaseFeature Nie można przeprowadzić cięcia logicznego bez Cechy Podstawowej - - + + Cannot do boolean with anything but Part::Feature and its derivatives Nie można przeprowadzić operacji logicznej z niczym oprócz Part::Feature i jej pochodnych - + Cannot do boolean operation with invalid base shape Nie można przeprowadzić operacji logicznej z nieprawidłowym kształtem podstawowym - + Cannot do boolean on feature which is not in a body Nie można przeprowadzić operacji logicznej na cesze, która nie jest w zawartości - + Base shape is null Kształt podstawowy nie został zdefiniowany - + Tool shape is null Kształt narzędzia nie został zdefiniowany - + Fusion of tools failed Połączenie narzędzi nie powiodło się - - - - - + - + + + + + Resulting shape is not a solid Otrzymany kształt nie jest bryłą - + Cut out failed Wycięcie nie powiodło się - + Common operation failed Operacja części wspólnej nie powiodła się - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Wynik ma wiele brył: to nie jest obecnie wspierane. @@ -4876,8 +4766,8 @@ powyżej 90°: większy promień otworu u dołu Kąt rowka zbyt mały - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4888,14 +4778,14 @@ powyżej 90°: większy promień otworu u dołu - wybrany szkic nie należy do aktywnej zawartości. - + Creating a face from sketch failed Tworzenie ściany ze szkicu nie powiodło się - + Revolve axis intersects the sketch Oś obrotu przecina szkic @@ -4905,14 +4795,14 @@ powyżej 90°: większy promień otworu u dołu Wycięcie cechy podstawowej nie powiodło się - + Could not revolve the sketch! Nie można obrócić szkicu! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Nie można utworzyć ściany ze szkicu. @@ -4967,10 +4857,10 @@ Przecinające się obiekty w szkicu są niedozwolone. Błąd: nie udało się zbudować + - Error: Result is not a solid Błąd: wynik nie jest bryłą @@ -5072,15 +4962,15 @@ Przecinające się obiekty w szkicu są niedozwolone. Błąd: Dodanie gwintu nie powiodło się - + Boolean operation failed Operacja logiczna nie powiodła się - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Nie można utworzyć ściany ze szkicu. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-BR.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-BR.ts index e655e58873f2..e8d922ed0187 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-BR.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-BR.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Criar Clone - + Make copy Fazer cópia @@ -909,8 +909,8 @@ so that self intersection is avoided. Criar Booleano - + Add a Body Adicionar um corpo @@ -940,22 +940,22 @@ so that self intersection is avoided. Mover um objeto dentro da árvore - + Mirrored Espelhado - + Make LinearPattern Criar um padrão linear - + PolarPattern Padrão polar - + Scaled Redimensionado @@ -2055,73 +2055,43 @@ clique novamente para terminar a seleção PartDesignGui::TaskLinearPatternParameters - - Add feature - Adicionar objeto - - - - Remove feature - Remover objeto - - - - List can be reordered by dragging - Lista pode ser reordenada arrastando - - - + Direction Direção - + Reverse direction Inverter direção - + Mode Modo - + Overall Length Overall Length - - + + Offset Deslocamento - + Length Comprimento - + Occurrences Ocorrências - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - - - + Error Erro @@ -2182,115 +2152,65 @@ clique novamente para terminar a seleção PartDesignGui::TaskMirroredParameters - - Add feature - Adicionar objeto - - - - Remove feature - Remover objeto - - - - List can be reordered by dragging - Lista pode ser reordenada arrastando - - - + Plane Plano - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - - - + Error Erro PartDesignGui::TaskMultiTransformParameters - - - Add feature - Adicionar objeto - - Remove feature - Remover objeto - - - - List can be reordered by dragging - Lista pode ser reordenada arrastando - - - Transformations Transformações - - Update view - Actualizar a vista - - - - Remove - Remover + + OK + OK - + Edit Editar - + Delete Excluir - + Add mirrored transformation Adicionar uma transformação espelhada - + Add linear pattern Adicionar um padrão linear - + Add polar pattern Adicionar um padrão polar - + Add scaled transformation Adicionar transformação com escala - + Move up Mover para cima - + Move down Move para baixo @@ -2745,77 +2665,47 @@ medido ao longo da direção especificada PartDesignGui::TaskPolarPatternParameters - - Add feature - Adicionar objeto - - - - Remove feature - Remover objeto - - - - List can be reordered by dragging - Lista pode ser reordenada arrastando - - - + Axis Eixo - + Reverse direction Inverter direção - + Mode Modo - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Ângulo - + Offset Deslocamento - + Occurrences Ocorrências - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - - - + Error Erro @@ -2951,40 +2841,15 @@ medido ao longo da direção especificada PartDesignGui::TaskScaledParameters - - Add feature - Adicionar objeto - - - - Remove feature - Remover objeto - - - + Factor Fator - + Occurrences Ocorrências - - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - PartDesignGui::TaskShapeBinder @@ -3108,62 +2973,87 @@ clique novamente para terminar a seleção PartDesignGui::TaskTransformedParameters - + + Remove + Remover + + + Normal sketch axis Normal do eixo no desenho - + Vertical sketch axis Eixo vertical do esboço - + Horizontal sketch axis Eixo horizontal do esboço - - + + Construction line %1 Linha de construção %1 - + Base X axis Eixo X de base - + Base Y axis Eixo Y de base - + Base Z axis Eixo Z de base - - + + Select reference... Selecionar referência... - + Base XY plane Plano XY base - + Base YZ plane Plano YZ base - + Base XZ plane Plano XZ base + + + Add feature + Adicionar objeto + + + + Remove feature + Remover objeto + + + + List can be reordered by dragging + Lista pode ser reordenada arrastando + + + + Update view + Actualizar a vista + PartDesignGui::ViewProviderChamfer @@ -3457,28 +3347,28 @@ clique novamente para terminar a seleção Por favor, crie um plano primeiro ou selecione uma face onde desenhar - - - - - - + + + + + + A dialog is already open in the task panel Uma caixa de diálogo já está aberta no painel de tarefas - - - - - - + + + + + + Do you want to close this dialog? Deseja fechar este diálogo? @@ -3742,14 +3632,14 @@ This may lead to unexpected results. Não é possível criar um objeto subtrativo sem um objeto base disponível + - Vertical sketch axis Eixo vertical do esboço + - Horizontal sketch axis Eixo horizontal do esboço @@ -3803,15 +3693,15 @@ Se você tiver um documento antigo com objetos do PartDesign sem corpo, use a fu Para utilizar este objeto ele precisa pertencer a uma peça do documento. - - + + Edit %1 Editar %1 - + Set colors... Definir cores... @@ -4730,83 +4620,83 @@ acima de 90: raio maior do furo na parte inferior BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4869,8 +4759,8 @@ acima de 90: raio maior do furo na parte inferior Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4880,14 +4770,14 @@ acima de 90: raio maior do furo na parte inferior - O esboço selecionado não pertence ao corpo ativo. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4897,14 +4787,14 @@ acima de 90: raio maior do furo na parte inferior Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4959,10 +4849,10 @@ Intersecting sketch entities in a sketch are not allowed. Erro: Não foi possível construir + - Error: Result is not a solid Erro: O resultado não é um sólido @@ -5064,15 +4954,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Operação booleana falhou - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-PT.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-PT.ts index 6d87a28bd4f8..6d1590979654 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-PT.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_pt-PT.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Create Clone - + Make copy Make copy @@ -909,8 +909,8 @@ so that self intersection is avoided. Create Boolean - + Add a Body Add a Body @@ -940,22 +940,22 @@ so that self intersection is avoided. Move an object inside tree - + Mirrored Espelhado - + Make LinearPattern Make LinearPattern - + PolarPattern PadrãoPolar - + Scaled Redimensionado (scaled) @@ -2057,73 +2057,43 @@ clique novamente para terminar a seleção PartDesignGui::TaskLinearPatternParameters - - Add feature - Adicionar recurso - - - - Remove feature - Remover recurso - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Direction Direção - + Reverse direction Reverse direction - + Mode Modo - + Overall Length Overall Length - - + + Offset Deslocamento paralelo - + Length Comprimento - + Occurrences Ocorrências - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - - - + Error Erro @@ -2184,115 +2154,65 @@ clique novamente para terminar a seleção PartDesignGui::TaskMirroredParameters - - Add feature - Adicionar recurso - - - - Remove feature - Remover recurso - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Plane Plano - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - - - + Error Erro PartDesignGui::TaskMultiTransformParameters - - - Add feature - Adicionar recurso - - Remove feature - Remover recurso - - - - List can be reordered by dragging - List can be reordered by dragging - - - Transformations Transformações - - Update view - Actualizar a vista - - - - Remove - Remover + + OK + OK - + Edit Editar - + Delete Apagar - + Add mirrored transformation Selecione uma face - + Add linear pattern Adicionar padrão linear - + Add polar pattern Adicionar padrão polar - + Add scaled transformation Adicionar transformação de escala - + Move up Mover para cima - + Move down Mover para baixo @@ -2747,77 +2667,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Adicionar recurso - - - - Remove feature - Remover recurso - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Axis Eixo - + Reverse direction Reverse direction - + Mode Modo - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Ângulo - + Offset Deslocamento paralelo - + Occurrences Ocorrências - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - - - + Error Erro @@ -2953,40 +2843,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Adicionar recurso - - - - Remove feature - Remover recurso - - - + Factor Fator - + Occurrences Ocorrências - - - OK - OK - - - - Update view - Actualizar a vista - - - - Remove - Remover - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ clique novamente para terminar a seleção PartDesignGui::TaskTransformedParameters - + + Remove + Remover + + + Normal sketch axis Eixo normal do esboço - + Vertical sketch axis Eixo vertical de esboço - + Horizontal sketch axis Eixo horizontal de esboço - - + + Construction line %1 %1 de linha de construção - + Base X axis Eixo X de base - + Base Y axis Eixo Y de base - + Base Z axis Eixo Z de base - - + + Select reference... Selecionar referência... - + Base XY plane Plano XY base - + Base YZ plane Plano YZ base - + Base XZ plane Plano XZ base + + + Add feature + Adicionar recurso + + + + Remove feature + Remover recurso + + + + List can be reordered by dragging + List can be reordered by dragging + + + + Update view + Actualizar a vista + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ clique novamente para terminar a seleção Por favor, crie um plano primeiro ou selecione uma face onde desenhar - - - - - - + + + + + + A dialog is already open in the task panel Já está aberta uma janela no painel de tarefas - - - - - - + + + + + + Do you want to close this dialog? Deseja fechar esta janela? @@ -3744,14 +3634,14 @@ This may lead to unexpected results. Não é possível criar um objeto subtrativo sem um objeto base disponível + - Vertical sketch axis Eixo vertical de esboço + - Horizontal sketch axis Eixo horizontal de esboço @@ -3803,15 +3693,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Para utilizar este objeto ele precisa de pertencer a uma peça do documento. - - + + Edit %1 Edite %1 - + Set colors... Definir cores... @@ -4730,83 +4620,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4869,8 +4759,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4881,14 +4771,14 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4898,14 +4788,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4960,10 +4850,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5065,15 +4955,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts index 009894df792a..f9b9b1efc062 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ro.ts @@ -885,8 +885,8 @@ Creati noi coordonate in sistemul local Creare clonă - + Make copy Fă o copie @@ -911,8 +911,8 @@ Creati noi coordonate in sistemul local Create Boolean - + Add a Body Adaugă un corp @@ -942,22 +942,22 @@ Creati noi coordonate in sistemul local Mută un obiect în interiorul arborelui - + Mirrored In oglinda - + Make LinearPattern Fă LinearPattern - + PolarPattern PolarPattern - + Scaled Scalat @@ -1905,7 +1905,7 @@ faceți clic din nou pentru a încheia selecția Select reference... - Select reference... + Selectați o referință... @@ -2059,73 +2059,43 @@ faceți clic din nou pentru a încheia selecția PartDesignGui::TaskLinearPatternParameters - - Add feature - Adauga o caracteristica - - - - Remove feature - Elimina caracteristică - - - - List can be reordered by dragging - Lista poate fi reordonată prin tragere - - - + Direction Direcţia - + Reverse direction Direcție inversă - + Mode Mod - + Overall Length Lungimea globală - - + + Offset Compensare - + Length Lungime - + Occurrences Aparitii - - OK - OK - - - - Update view - Actualizeaza vizualizarea - - - - Remove - Elimină - - - + Error Eroare @@ -2186,115 +2156,65 @@ faceți clic din nou pentru a încheia selecția PartDesignGui::TaskMirroredParameters - - Add feature - Adauga o caracteristica - - - - Remove feature - Elimina caracteristică - - - - List can be reordered by dragging - Lista poate fi reordonată prin tragere - - - + Plane Plan - - OK - OK - - - - Update view - Actualizeaza vizualizarea - - - - Remove - Elimină - - - + Error Eroare PartDesignGui::TaskMultiTransformParameters - - - Add feature - Adauga o caracteristica - - Remove feature - Elimina caracteristică - - - - List can be reordered by dragging - Lista poate fi reordonată prin tragere - - - Transformations Transformari - - Update view - Actualizeaza vizualizarea - - - - Remove - Elimină + + OK + OK - + Edit Editare - + Delete Ştergeţi - + Add mirrored transformation Adauga transformare în oglinda - + Add linear pattern Adauga sablon liniar - + Add polar pattern Adauga sablon polar - + Add scaled transformation Adauga transformare scalata - + Move up Deplasare în sus - + Move down Deplasare în jos @@ -2749,77 +2669,47 @@ măsurată de-a lungul direcției specificate PartDesignGui::TaskPolarPatternParameters - - Add feature - Adauga o caracteristica - - - - Remove feature - Elimina caracteristică - - - - List can be reordered by dragging - Lista poate fi reordonată prin tragere - - - + Axis Axele - + Reverse direction Direcție inversă - + Mode Mod - + Overall Angle Unghiul general - + Offset Angle Unghiul Offset - + Angle Unghi - + Offset Compensare - + Occurrences Aparitii - - OK - OK - - - - Update view - Actualizeaza vizualizarea - - - - Remove - Elimină - - - + Error Eroare @@ -2955,40 +2845,15 @@ măsurată de-a lungul direcției specificate PartDesignGui::TaskScaledParameters - - Add feature - Adauga o caracteristica - - - - Remove feature - Elimina caracteristică - - - + Factor Factor - + Occurrences Aparitii - - - OK - OK - - - - Update view - Actualizeaza vizualizarea - - - - Remove - Elimină - PartDesignGui::TaskShapeBinder @@ -3111,62 +2976,87 @@ faceți clic din nou pentru a încheia selecția PartDesignGui::TaskTransformedParameters - + + Remove + Elimină + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Axa verticală a schiţei - + Horizontal sketch axis Axa orizontală a schiţei - - + + Construction line %1 %1 linie de construcție - + Base X axis Axa X - + Base Y axis Axa Y - + Base Z axis Axa Z - - + + Select reference... - Selectați o referință... + Select reference... - + Base XY plane Plan XY - + Base YZ plane Plan YZ - + Base XZ plane Plan XZ + + + Add feature + Adauga o caracteristica + + + + Remove feature + Elimina caracteristică + + + + List can be reordered by dragging + Lista poate fi reordonată prin tragere + + + + Update view + Actualizeaza vizualizarea + PartDesignGui::ViewProviderChamfer @@ -3460,28 +3350,28 @@ faceți clic din nou pentru a încheia selecția Vă rugăm să creaţi mai întâi un plan, sau selectează o faţă pe care se aplică schiţa - - - - - - + + + + + + A dialog is already open in the task panel O fereastră de dialog este deja deschisă în fereastra de sarcini - - - - - - + + + + + + Do you want to close this dialog? Doriţi să închideţi această fereastră de dialog? @@ -3745,14 +3635,14 @@ This may lead to unexpected results. Nu este posibil să se creeze o funcție substractivă fără prezența unei funcții de bază + - Vertical sketch axis Axa verticală a schiţei + - Horizontal sketch axis Axa orizontală a schiţei @@ -3804,15 +3694,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Pentru a utiliza această funcție, ea trebuie să aparțină unei piese din document. - - + + Edit %1 Editare %1 - + Set colors... Seteaza culorile... @@ -4731,83 +4621,83 @@ peste 90: rază mai mare la partea de jos BaseCaracteristica are o formă goală - + Cannot do boolean cut without BaseFeature Nu se poate face taietura booleana fara caracteristici de baza - - + + Cannot do boolean with anything but Part::Feature and its derivatives Nu se poate face boolean cu orice altceva decât Part::Caracteristică și derivații săi - + Cannot do boolean operation with invalid base shape Nu se poate efectua operația booleană cu forma de bază invalidă - + Cannot do boolean on feature which is not in a body Nu se poate face boolean pe o caracteristică care nu se află într-un corp - + Base shape is null Forma de bază este nulă - + Tool shape is null Forma sculei este nulă - + Fusion of tools failed Fuziunea uneltelor a eșuat - - - - - + - + + + + + Resulting shape is not a solid Forma rezultată nu este solidă - + Cut out failed Tăierea a eșuat - + Common operation failed Operație comună eșuată - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Rezultatul are mai multe solide: acest lucru nu este suportat în prezent. @@ -4870,8 +4760,8 @@ peste 90: rază mai mare la partea de jos Unghiul de canelă prea mic - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4882,14 +4772,14 @@ peste 90: rază mai mare la partea de jos - schița selectată nu aparține Organismului activ. - + Creating a face from sketch failed Crearea unei fațete din schiță a eșuat - + Revolve axis intersects the sketch Axa Revolve intersectează schița @@ -4899,14 +4789,14 @@ peste 90: rază mai mare la partea de jos Nu s-a reușit decuparea funcției de bază - + Could not revolve the sketch! Nu s-a putut revolta schița! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Nu s-a putut crea fața din schiță. @@ -4961,10 +4851,10 @@ Entitățile de schiță intersectate dintr-o schiță nu sunt permise.Eroare: Nu s-a putut construi + - Error: Result is not a solid Eroare: Rezultatul nu este solid @@ -5066,15 +4956,15 @@ Entitățile de schiță intersectate dintr-o schiță nu sunt permise.Eroare: Adăugarea temei de discuţie a eşuat - + Boolean operation failed Operația Booleană a eșuat - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Nu s-a putut crea fața din schiță. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts index 6d149ba27795..a3abd4551ec1 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_ru.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Клонировать - + Make copy Сделать копию @@ -909,8 +909,8 @@ so that self intersection is avoided. Булева операция - + Add a Body Добавить тело @@ -940,22 +940,22 @@ so that self intersection is avoided. Переместить объект внутри дерева - + Mirrored Симметрия - + Make LinearPattern Создать линейный массив - + PolarPattern Круговой массив - + Scaled Масштабирование @@ -1761,7 +1761,7 @@ click again to end selection Valid - Верно + Действительный @@ -1856,7 +1856,7 @@ click again to end selection Valid - Действительный + Верно @@ -1903,7 +1903,7 @@ click again to end selection Select reference... - Выбрать ориентир... + Выберите ссылку... @@ -2057,73 +2057,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Добавить элемент - - - - Remove feature - Удалить элемент - - - - List can be reordered by dragging - Список может быть переупорядочен перетаскиванием - - - + Direction Направление - + Reverse direction Развернуть направление - + Mode Режим - + Overall Length Общая длина - - + + Offset Смещение - + Length Длина - + Occurrences События - - OK - OK - - - - Update view - Обновить - - - - Remove - Убрать - - - + Error Ошибки @@ -2184,115 +2154,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Добавить элемент - - - - Remove feature - Удалить элемент - - - - List can be reordered by dragging - Список может быть переупорядочен перетаскиванием - - - + Plane Плоскость - - OK - OK - - - - Update view - Обновить вид - - - - Remove - Убрать - - - + Error - Ошибки + Ошибка PartDesignGui::TaskMultiTransformParameters - - - Add feature - Добавить элемент - - Remove feature - Удалить элемент - - - - List can be reordered by dragging - Список может быть переупорядочен перетаскиванием - - - Transformations Преобразования - - Update view - Обновить вид - - - - Remove - Убрать + + OK + OK - + Edit Редактировать - + Delete Удалить - + Add mirrored transformation Добавить зеркальное преобразование - + Add linear pattern Добавить линейный массив - + Add polar pattern Добавить круговой массив - + Add scaled transformation Добавить преобразование масштаба - + Move up Переместить вверх - + Move down Переместить вниз @@ -2464,7 +2384,7 @@ measured along the specified direction Reversed - В обратную сторону + Реверсивный @@ -2734,7 +2654,7 @@ measured along the specified direction Up to face - Поднять до грани + До грани @@ -2745,77 +2665,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Добавить элемент - - - - Remove feature - Удалить элемент - - - - List can be reordered by dragging - Список может быть переупорядочен перетаскиванием - - - + Axis Ось - + Reverse direction Развернуть направление - + Mode Режим - + Overall Angle Общий угол - + Offset Angle Угол смещения - + Angle Угол - + Offset Смещение - + Occurrences - События - - - - OK - OK - - - - Update view - Обновить вид - - - - Remove - Убрать + Вхождений - + Error Ошибка @@ -2951,39 +2841,14 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Добавить элемент - - - - Remove feature - Удалить элемент - - - + Factor Фактор - + Occurrences - Вхождений - - - - OK - OK - - - - Update view - Обновить вид - - - - Remove - Убрать + События @@ -3108,62 +2973,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Убрать + + + Normal sketch axis Нормаль оси Эскиза - + Vertical sketch axis Вертикальная ось эскиза - + Horizontal sketch axis Горизонтальная ось эскиза - - + + Construction line %1 Вспомогательная линия %1 - + Base X axis Базовая ось X - + Base Y axis Базовая ось Y - + Base Z axis Базовая ось Z - - + + Select reference... - Выберите ссылку... + Выбрать ориентир... - + Base XY plane Базовая плоскость XY - + Base YZ plane Базовая плоскость YZ - + Base XZ plane Базовая плоскость XZ + + + Add feature + Добавить элемент + + + + Remove feature + Удалить элемент + + + + List can be reordered by dragging + Список может быть переупорядочен перетаскиванием + + + + Update view + Обновить вид + PartDesignGui::ViewProviderChamfer @@ -3404,7 +3294,7 @@ click again to end selection Error - Ошибка + Ошибки @@ -3457,28 +3347,28 @@ click again to end selection Пожалуйста, сначала создайте плоскость или выберите грань - - - - - - + + + + + + A dialog is already open in the task panel Диалог уже открыт в панели задач - - - - - - + + + + + + Do you want to close this dialog? Вы хотите закрыть этот диалог? @@ -3746,14 +3636,14 @@ This may lead to unexpected results. Невозможно создать субтрактивный элемент без базового элемента + - Vertical sketch axis Вертикальная ось эскиза + - Horizontal sketch axis Горизонтальная ось эскиза @@ -3807,15 +3697,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Для того, чтобы использовать этот элемент, он должен являться объектом типа деталь в документе. - - + + Edit %1 Редактировать %1 - + Set colors... Установите цвета... @@ -4305,7 +4195,7 @@ Only available for holes without thread Standard - Стандарт + Стандартно @@ -4467,7 +4357,7 @@ over 90: larger hole radius at the bottom Reversed - Реверсивный + В обратную сторону @@ -4732,83 +4622,83 @@ over 90: larger hole radius at the bottom Базовый элемент имеет пустую форму - + Cannot do boolean cut without BaseFeature Невозможно выполнить логический разрез без базового элемента - - + + Cannot do boolean with anything but Part::Feature and its derivatives Не может делать логическую операцию ни с чем, кроме Part::Feature(элемент детали) и его производных - + Cannot do boolean operation with invalid base shape Невозможно выполнить логическую операцию с недопустимой базовой формой - + Cannot do boolean on feature which is not in a body Невозможно сделать логическую операцию для функции, которая не является телом - + Base shape is null Базовая форма пустая - + Tool shape is null Форма инструмента пустая - + Fusion of tools failed Сбой слияния инструментов - - - - - + - + + + + + Resulting shape is not a solid Результат не является твердотельным - + Cut out failed Не удалось вырезать - + Common operation failed Общая операция не удалась - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Результат состоит из нескольких тел: это в настоящее время это не поддерживается. @@ -4871,8 +4761,8 @@ over 90: larger hole radius at the bottom Угол канавки слишком мал - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4883,14 +4773,14 @@ over 90: larger hole radius at the bottom - выбранный эскиз не принадлежит активному телу. - + Creating a face from sketch failed Не удалось создать грань из эскиза - + Revolve axis intersects the sketch Ось вращения пересекает эскиз @@ -4900,14 +4790,14 @@ over 90: larger hole radius at the bottom Не удалось вырезать базовый элемент - + Could not revolve the sketch! Не удалось повернуть эскиз! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Не удалось создать грань из эскиза. @@ -4962,10 +4852,10 @@ Intersecting sketch entities in a sketch are not allowed. Ошибка: Не удалось собрать + - Error: Result is not a solid Ошибка: Результат не твердотельный @@ -5067,15 +4957,15 @@ Intersecting sketch entities in a sketch are not allowed. Ошибка: не удалось добавить резьбу - + Boolean operation failed Не удалось выполнить булеву операцию - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Не удалось создать грань из эскиза. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts index d6a0021c6089..9f11c4e17729 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sl.ts @@ -239,7 +239,7 @@ da se izogne samosečnosti. PartDesign - Oblikovanje delov + Snovalnik delov @@ -257,7 +257,7 @@ da se izogne samosečnosti. PartDesign - Snovalnik delov + Oblikovanje delov @@ -883,8 +883,8 @@ da se izogne samosečnosti. Ustvari dvojnika - + Make copy Naredi kopijo @@ -909,8 +909,8 @@ da se izogne samosečnosti. Ustvari logično vrednost - + Add a Body Dodaj telo @@ -940,22 +940,22 @@ da se izogne samosečnosti. Premikaj predmet po drevesu - + Mirrored Zrcaljeno - + Make LinearPattern Naredi Premočrtni vzorec - + PolarPattern Krožni vzorec - + Scaled Povečava @@ -1903,7 +1903,7 @@ s ponovnim klikom pa zaključite izbiranje Select reference... - Izberite osnovo … + Izberite sklic ... @@ -2057,73 +2057,43 @@ s ponovnim klikom pa zaključite izbiranje PartDesignGui::TaskLinearPatternParameters - - Add feature - Dodaj značilnost - - - - Remove feature - Odstrani značilnost - - - - List can be reordered by dragging - Zaporedje v seznamu lahko spreminjate z vlečenjem - - - + Direction Smer - + Reverse direction Nasprotna smer - + Mode Način - + Overall Length Overall Length - - + + Offset Odmik - + Length Dolžina - + Occurrences Pojavitve - - OK - V redu - - - - Update view - Posodobi pogled - - - - Remove - Odstrani - - - + Error Napaka @@ -2184,115 +2154,65 @@ s ponovnim klikom pa zaključite izbiranje PartDesignGui::TaskMirroredParameters - - Add feature - Dodaj značilnost - - - - Remove feature - Odstrani značilnost - - - - List can be reordered by dragging - Zaporedje v seznamu lahko spreminjate z vlečenjem - - - + Plane Ravnina - - OK - V redu - - - - Update view - Posodobi pogled - - - - Remove - Odstrani - - - + Error Napaka PartDesignGui::TaskMultiTransformParameters - - - Add feature - Dodaj značilnost - - Remove feature - Odstrani značilnost - - - - List can be reordered by dragging - Zaporedje v seznamu lahko spreminjate z vlečenjem - - - Transformations Preobliovanja - - Update view - Posodobi pogled - - - - Remove - Odstrani + + OK + V redu - + Edit Uredi - + Delete Izbriši - + Add mirrored transformation Dodaj zrcalno preoblikovanje - + Add linear pattern Dodaj premočrtni vzorec - + Add polar pattern Dodaj krožni vzorec - + Add scaled transformation Dodaj velikostno preoblikovanja - + Move up Premakni gor - + Move down Premakni dol @@ -2747,77 +2667,47 @@ merjena vzdolž določene smeri PartDesignGui::TaskPolarPatternParameters - - Add feature - Dodaj značilnost - - - - Remove feature - Odstrani značilnost - - - - List can be reordered by dragging - Zaporedje v seznamu lahko spreminjate z vlečenjem - - - + Axis Os - + Reverse direction Nasprotna smer - + Mode Način - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle - Kót + Kot - + Offset Odmik - + Occurrences - Pojavitve - - - - OK - V redu - - - - Update view - Posodobi pogled - - - - Remove - Odstrani + Pogostosti - + Error Napaka @@ -2880,7 +2770,7 @@ merjena vzdolž določene smeri Select reference... - Izberite sklic ... + Izberite osnovo … @@ -2953,39 +2843,14 @@ merjena vzdolž določene smeri PartDesignGui::TaskScaledParameters - - Add feature - Dodaj značilnost - - - - Remove feature - Odstrani značilnost - - - + Factor Količnik - + Occurrences - Pogostosti - - - - OK - Potrdi - - - - Update view - Posodobi pogled - - - - Remove - Odstrani + Pojavitve @@ -3110,62 +2975,87 @@ s ponovnim klikom pa zaključite izbiranje PartDesignGui::TaskTransformedParameters - + + Remove + Odstrani + + + Normal sketch axis Os normale skice - + Vertical sketch axis Navpična os skice - + Horizontal sketch axis Vodoravna os skice - - + + Construction line %1 Pomožna črta %1 - + Base X axis Osnovna X os - + Base Y axis Osnovna Y os - + Base Z axis Osnovna Z os - - + + Select reference... Izberite osnovo … - + Base XY plane Osnovna XY ravnina - + Base YZ plane Osnovna YZ ravnina - + Base XZ plane Osnovna XZ ravnina + + + Add feature + Dodaj značilnost + + + + Remove feature + Odstrani značilnost + + + + List can be reordered by dragging + Zaporedje v seznamu lahko spreminjate z vlečenjem + + + + Update view + Posodobi pogled + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ s ponovnim klikom pa zaključite izbiranje Ustvarite najprej ravnino ali izberite ploskev, na katero želite očrtavati - - - - - - + + + + + + A dialog is already open in the task panel A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? Do you want to close this dialog? @@ -3748,14 +3638,14 @@ To lahko pripelje do nepričakovanih rezultatov. Značilke odvzemanja ni mogoče ustvariti, če osnovna značilnost ni na voljo + - Vertical sketch axis Navpična os skice + - Horizontal sketch axis Vodoravna os skice @@ -3809,15 +3699,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Če želite uporabiti to značilnost, mora pripadati delu v dokumentu. - - + + Edit %1 Uredi %1 - + Set colors... Nastavi barve … @@ -4224,7 +4114,7 @@ Neglede na to je selitev v bodoče z "Snovanje delov -> Preseli" mogoča kada Profile - Presek + Profil @@ -4737,83 +4627,83 @@ nad 90: v spodnjem delu večji premer luknje ZnačilnostOsnove ima prazno obliko - + Cannot do boolean cut without BaseFeature Rezanja z logičnimi operacijami ni mogoče izvesti brez ZnačilnostiOsnove - - + + Cannot do boolean with anything but Part::Feature and its derivatives Logično operacijo je mogoče izvesti le z Delom::Značilnost (Part::Feature) in njegovimi izpeljavami - + Cannot do boolean operation with invalid base shape Rezanja z logičnimi operacijami ni mogoče izvesti z neveljavno izhodiščno obliko - + Cannot do boolean on feature which is not in a body Logične operacije ni mogoče izvesti z značilnostjo, ki ni v telesu - + Base shape is null Izhodiščna oblika je ničelna - + Tool shape is null Oblika orodja je ničelna - + Fusion of tools failed Spojitev orodij spodletela - - - - - + - + + + + + Resulting shape is not a solid Dobljena oblika ni telo - + Cut out failed Izrezovanje spodletelo - + Common operation failed Skupno dejanje spodletelo - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Dobljenih je več teles, kar pa trenutno ni podprto. @@ -4876,8 +4766,8 @@ nad 90: v spodnjem delu večji premer luknje Premajhene kot žlebiča - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ nad 90: v spodnjem delu večji premer luknje - izbrani očrt ne pripada dejavnemu telesu. - + Creating a face from sketch failed Ustvarjanje ploskve iz očrta spodletelo - + Revolve axis intersects the sketch Os vrtenine seka očrt @@ -4904,14 +4794,14 @@ nad 90: v spodnjem delu večji premer luknje Izrezovanje iz osnovne značilnosti spodletelo - + Could not revolve the sketch! Očrta ni mogoče zvrteti! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Iz očrta ni bilo mogoče ustvariti ploskve. @@ -4966,10 +4856,10 @@ Sekajoče se prvine očrta niso dovoljene. Napaka: ni mogoče narediti + - Error: Result is not a solid Napaka: dobljeno ni telo @@ -5071,15 +4961,15 @@ Sekajoče se prvine očrta niso dovoljene. Napaka: dodajanje navoja spodletelo - + Boolean operation failed Logična operacija spodletela - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Iz očrta ni bilo mogoče ustvariti ploskve. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr-CS.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr-CS.ts index 6795ceb0093a..092d1e2181ef 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr-CS.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr-CS.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Napravi klon - + Make copy Napravi kopiju @@ -909,8 +909,8 @@ so that self intersection is avoided. Napravi Bulovu operaciju - + Add a Body Dodaj telo @@ -940,22 +940,22 @@ so that self intersection is avoided. Pomeri objekat unutar stabla - + Mirrored Simetrično preslikavanje - + Make LinearPattern Napravi linearno umnožavanje - + PolarPattern Kružno umnožavanje - + Scaled Skalirano @@ -1601,7 +1601,7 @@ klikni ponovo da bi završio izbor Input error - Input error + Greška pri unosu @@ -2057,73 +2057,43 @@ klikni ponovo da bi završio izbor PartDesignGui::TaskLinearPatternParameters - - Add feature - Dodaj tipski oblik - - - - Remove feature - Ukloni tipski oblik - - - - List can be reordered by dragging - Lista se može reorganizovati prevlačenjem - - - + Direction Pravac - + Reverse direction Obrni smer - + Mode Režim - + Overall Length Ukupna dužina - - + + Offset Odmak - + Length Dužina - + Occurrences Broj pojavljivanja - - OK - U redu - - - - Update view - Ažurirajte pogled - - - - Remove - Ukloni - - - + Error Greška @@ -2184,115 +2154,65 @@ klikni ponovo da bi završio izbor PartDesignGui::TaskMirroredParameters - - Add feature - Dodaj tipski oblik - - - - Remove feature - Ukloni tipski oblik - - - - List can be reordered by dragging - Lista se može reorganizovati prevlačenjem - - - + Plane Ravan - - OK - U redu - - - - Update view - Ažurirajte pogled - - - - Remove - Ukloni - - - + Error Greška PartDesignGui::TaskMultiTransformParameters - - - Add feature - Dodaj tipski oblik - - Remove feature - Ukloni tipski oblik - - - - List can be reordered by dragging - Lista se može reorganizovati prevlačenjem - - - Transformations Transformacije - - Update view - Ažurirajte pogled - - - - Remove - Ukloni + + OK + U redu - + Edit Uredi - + Delete Obriši - + Add mirrored transformation Simetrično preslikaj - + Add linear pattern Umnoži linearno - + Add polar pattern Umnoži kružno - + Add scaled transformation Povećaj ili smanji - + Move up Pomeri nagore - + Move down Pomeri nadole @@ -2650,7 +2570,7 @@ merena duž zadatog pravca Input error - Greška pri unosu + Input error @@ -2747,77 +2667,47 @@ merena duž zadatog pravca PartDesignGui::TaskPolarPatternParameters - - Add feature - Dodaj tipski oblik - - - - Remove feature - Ukloni tipski oblik - - - - List can be reordered by dragging - Lista se može reorganizovati prevlačenjem - - - + Axis Osa - + Reverse direction Obrni smer - + Mode Režim - + Overall Angle Ukupni ugao - + Offset Angle Ugaoni odmak - + Angle Ugao - + Offset Odmak - + Occurrences Broj pojavljivanja - - OK - U redu - - - - Update view - Ažurirajte pogled - - - - Remove - Ukloni - - - + Error Greška @@ -2953,40 +2843,15 @@ merena duž zadatog pravca PartDesignGui::TaskScaledParameters - - Add feature - Dodaj tipski oblik - - - - Remove feature - Ukloni tipski oblik - - - + Factor Koeficijent - + Occurrences Broj pojavljivanja - - - OK - U redu - - - - Update view - Ažurirajte pogled - - - - Remove - Ukloni - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ klikni ponovo da bi završio izbor PartDesignGui::TaskTransformedParameters - + + Remove + Ukloni + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Vertikalna osa skice - + Horizontal sketch axis Horizontalna osa skice - - + + Construction line %1 - Pomoćna linija %1 + Pomoćna prava %1 - + Base X axis Osnovna X osa - + Base Y axis Osnovna Y osa - + Base Z axis Osnovna Z osa - - + + Select reference... Izaberi sopstvenu... - + Base XY plane Osnovna XY ravan - + Base YZ plane Osnovna YZ ravan - + Base XZ plane Osnovna XZ ravan + + + Add feature + Dodaj tipski oblik + + + + Remove feature + Ukloni tipski oblik + + + + List can be reordered by dragging + Lista se može reorganizovati prevlačenjem + + + + Update view + Ažurirajte pogled + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ klikni ponovo da bi završio izbor Da bi mogao crtati skicu prvo napravi ravan ili izaberi stranicu - - - - - - + + + + + + A dialog is already open in the task panel A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? Do you want to close this dialog? @@ -3748,21 +3638,21 @@ Ovo može dovesti do neočekivanih rezultata. Ne možeš primeniti tipske oblike koji prave udubljenja ako nemaš na raspolaganju osnovni tipski oblik + - Vertical sketch axis Vertikalna osa skice + - Horizontal sketch axis Horizontalna osa skice Construction line %1 - Pomoćna prava %1 + Pomoćna linija %1 @@ -3809,15 +3699,15 @@ Ako imaš nasleđeni dokument sa PartDesign objektima bez tela, koristi funkciju Da bi koristio ovaj tipski oblik, on mora da pripada delu u dokumentu. - - + + Edit %1 Uredi %1 - + Set colors... Ofarbaj stranice @@ -4737,83 +4627,83 @@ iznad 90: veći poluprečnik rupe na dnu OsnovniOblik je prazan - + Cannot do boolean cut without BaseFeature Ne može se izvršiti Isecanje bulovom operacijom bez OsnovnogOblika - - + + Cannot do boolean with anything but Part::Feature and its derivatives Ne mogu se vršiti bulove operacije sa ničim osim Part::Feature i njegovim derivatima - + Cannot do boolean operation with invalid base shape Nije moguće izvršiti bulovu operaciju sa neispravnim OsnovnimOblik-om - + Cannot do boolean on feature which is not in a body Nije moguće izvršiti bulovu operaciju sa oblikom koji nije unutar Tela (Body) - + Base shape is null Osnovni oblik je prazan - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Dobijeni oblik nije puno telo - + Cut out failed Isecanje nije uspelo - + Common operation failed Bulova operacija presek nije uspela - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Rezultat ima više punih tela: ovo trenutno nije podržano. @@ -4876,8 +4766,8 @@ iznad 90: veći poluprečnik rupe na dnu Ugao kružnog udubljenja je suviše mali - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4888,14 +4778,14 @@ iznad 90: veći poluprečnik rupe na dnu - izabrana skica ne pripada aktivnom Telu. - + Creating a face from sketch failed Pravljenje stranica pomoću skice nije uspelo - + Revolve axis intersects the sketch Osa rotacije preseca skicu @@ -4905,14 +4795,14 @@ iznad 90: veći poluprečnik rupe na dnu Isecanje osnovnog tipskog oblika nije uspelo - + Could not revolve the sketch! Nije moguće rotirati skicu! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Nije moguće napraviti stranice pomoću skice. @@ -4967,10 +4857,10 @@ Nije dozvoljeno ukrštanje elemenata na skici. Greška: Nije moguće napraviti + - Error: Result is not a solid Greška: Rezultat nije puno telo @@ -5072,15 +4962,15 @@ Nije dozvoljeno ukrštanje elemenata na skici. Greška: Dodavanje navoja nije uspelo - + Boolean operation failed Bulova operacija nije uspela - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Nije moguće napraviti stranice pomoću skice. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts index ac0d1a219b0f..57a87956becc 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sr.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Направи клон - + Make copy Направи копију @@ -909,8 +909,8 @@ so that self intersection is avoided. Направи Булову операцију - + Add a Body Додај тело @@ -940,22 +940,22 @@ so that self intersection is avoided. Помери објекат унутар стабла - + Mirrored Симетрично пресликавање - + Make LinearPattern Направи линеарно умножавање - + PolarPattern Кружно умножавање - + Scaled Скалирано @@ -2057,73 +2057,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Додај типски облик - - - - Remove feature - Уклони типски облик - - - - List can be reordered by dragging - Листа се може реорганизовати превлачењем - - - + Direction Правац - + Reverse direction Обрни смер - + Mode Режим - + Overall Length Укупна дужина - - + + Offset Одмак - + Length Дужина - + Occurrences Број појављивања - - OK - У реду - - - - Update view - Ажурирај поглед - - - - Remove - Уклони - - - + Error Грешка @@ -2184,115 +2154,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Додај типски облик - - - - Remove feature - Уклони типски облик - - - - List can be reordered by dragging - Листа се може реорганизовати превлачењем - - - + Plane Раван - - OK - У реду - - - - Update view - Ажурирај поглед - - - - Remove - Уклони - - - + Error Грешка PartDesignGui::TaskMultiTransformParameters - - - Add feature - Додај типски облик - - Remove feature - Уклони типски облик - - - - List can be reordered by dragging - Листа се може реорганизовати превлачењем - - - Transformations Трансформације - - Update view - Ажурирај поглед - - - - Remove - Уклони + + OK + У реду - + Edit Уреди - + Delete Обриши - + Add mirrored transformation Симетрично пресликај - + Add linear pattern Умножи линеарно - + Add polar pattern Умножи кружно - + Add scaled transformation Повећај или смањи - + Move up Помери нагоре - + Move down Померите надоле @@ -2747,77 +2667,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Додај типски облик - - - - Remove feature - Уклони типски облик - - - - List can be reordered by dragging - Листа се може реорганизовати превлачењем - - - + Axis Оса - + Reverse direction Обрни смер - + Mode Режим - + Overall Angle Укупни угао - + Offset Angle Угаони одмак - + Angle Угао - + Offset Одмак - + Occurrences Број појављивања - - OK - У реду - - - - Update view - Ажурирај поглед - - - - Remove - Уклони - - - + Error Грешка @@ -2953,40 +2843,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Додај типски облик - - - - Remove feature - Уклони типски облик - - - + Factor Коефицијент - + Occurrences Број појављивања - - - OK - У реду - - - - Update view - Ажурирај поглед - - - - Remove - Уклони - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Уклони + + + Normal sketch axis Нормалне оcе cкице - + Vertical sketch axis Вертикална оcа cкице - + Horizontal sketch axis Хоризонтална оса скице - - + + Construction line %1 Помоћна права %1 - + Base X axis Основна X оса - + Base Y axis Основна Y оса - + Base Z axis Основна Z оса - - + + Select reference... Изабери сопствену... - + Base XY plane Основна XY раван - + Base YZ plane Основна YZ раван - + Base XZ plane Основна XZ раван + + + Add feature + Додај типски облик + + + + Remove feature + Уклони типски облик + + + + List can be reordered by dragging + Листа се може реорганизовати превлачењем + + + + Update view + Ажурирај поглед + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ click again to end selection Да би могао цртати скицу прво направи раван или изабери страницу - - - - - - + + + + + + A dialog is already open in the task panel Дијалог је већ отворен у панелу задатака - - - - - - + + + + + + Do you want to close this dialog? Да ли желите да затворите овај дијалог? @@ -3748,14 +3638,14 @@ This may lead to unexpected results. Не можеш применити типске облике који праве удубљења ако немаш на располагању основни типски облик + - Vertical sketch axis Вертикална оcа cкице + - Horizontal sketch axis Хоризонтална оса скице @@ -3809,15 +3699,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Да би користио овај типски облик, он мора да припада делу у документу. - - + + Edit %1 Уреди %1 - + Set colors... Офарбај странице @@ -4737,83 +4627,83 @@ over 90: larger hole radius at the bottom ОсновниОблик је празан - + Cannot do boolean cut without BaseFeature Не може се извршити Исецање буловом операцијом без ОсновногОблика - - + + Cannot do boolean with anything but Part::Feature and its derivatives Не могу се вршити булове операције са ничим осим Part::Feature и његовим дериватима - + Cannot do boolean operation with invalid base shape Није могуће извршити булову операцију са неисправним ОсновнимОблик-ом - + Cannot do boolean on feature which is not in a body Није могуће извршити булову операцију са обликом који није унутар Тела (Бодy) - + Base shape is null Основни облик је празан - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Добијени облик није пуно тело - + Cut out failed Исецање није успело - + Common operation failed Булова операција пресек није успела - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Резултат има више пуних тела: ово тренутно није подржано. @@ -4876,8 +4766,8 @@ over 90: larger hole radius at the bottom Угао кружног удубљења је сувише мали - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4888,14 +4778,14 @@ over 90: larger hole radius at the bottom - изабрана скица не припада активном Телу. - + Creating a face from sketch failed Прављење страница помоћу скице није успело - + Revolve axis intersects the sketch Оса ротације пресеца скицу @@ -4905,14 +4795,14 @@ over 90: larger hole radius at the bottom Исецање основног типског облика није успело - + Could not revolve the sketch! Није могуће ротирати скицу! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Није могуће направити странице помоћу скице. @@ -4967,10 +4857,10 @@ Intersecting sketch entities in a sketch are not allowed. Грешка: Није могуће направити + - Error: Result is not a solid Грешка: Резултат није пуно тело @@ -5072,15 +4962,15 @@ Intersecting sketch entities in a sketch are not allowed. Грешка: Додавање навоја није успело - + Boolean operation failed Булова операција није успела - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Није могуће направити странице помоћу скице. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sv-SE.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sv-SE.ts index f381d4af78e6..ab63f42a7f4b 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sv-SE.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_sv-SE.ts @@ -882,8 +882,8 @@ so that self intersection is avoided. Skapa klon - + Make copy Skapa kopia @@ -908,8 +908,8 @@ so that self intersection is avoided. Create Boolean - + Add a Body Lägg till en kropp @@ -939,22 +939,22 @@ so that self intersection is avoided. Move an object inside tree - + Mirrored Speglad - + Make LinearPattern Make LinearPattern - + PolarPattern Polärt mönster - + Scaled Skalad @@ -2056,73 +2056,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Lägg till funktion - - - - Remove feature - Ta bort funktion - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Direction Riktning - + Reverse direction Omvänd riktning - + Mode Läge - + Overall Length Overall Length - - + + Offset Offset - + Length Längd - + Occurrences Förekomster - - OK - OK - - - - Update view - Uppdatera vy - - - - Remove - Ta bort - - - + Error Fel @@ -2183,115 +2153,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Lägg till funktion - - - - Remove feature - Ta bort funktion - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Plane Plan - - OK - OK - - - - Update view - Uppdatera vy - - - - Remove - Ta bort - - - + Error Fel PartDesignGui::TaskMultiTransformParameters - - - Add feature - Lägg till funktion - - Remove feature - Ta bort funktion - - - - List can be reordered by dragging - List can be reordered by dragging - - - Transformations Omvandlingar - - Update view - Uppdatera vy - - - - Remove - Ta bort + + OK + OK - + Edit Redigera - + Delete Radera - + Add mirrored transformation Lägg till speglad omvandling - + Add linear pattern Lägg till linjärt mönster - + Add polar pattern Lägg till polärt mönster - + Add scaled transformation Lägg till skalad omvandling - + Move up Flytta upp - + Move down Flytta ned @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Lägg till funktion - - - - Remove feature - Ta bort funktion - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Axis Axel - + Reverse direction Omvänd riktning - + Mode Läge - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Vinkel - + Offset Offset - + Occurrences Förekomster - - OK - OK - - - - Update view - Uppdatera vy - - - - Remove - Ta bort - - - + Error Fel @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Lägg till funktion - - - - Remove feature - Ta bort funktion - - - + Factor Faktor - + Occurrences Förekomster - - - OK - OK - - - - Update view - Uppdatera vy - - - - Remove - Ta bort - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Ta bort + + + Normal sketch axis Normal skissaxel - + Vertical sketch axis Vertikal skissaxel - + Horizontal sketch axis Horisontell skissaxel - - + + Construction line %1 Konstruktionslinje %1 - + Base X axis Basens X-axel - + Base Y axis Basens Y-axel - + Base Z axis Basens Z-axel - - + + Select reference... Välj referens... - + Base XY plane XY-basplan - + Base YZ plane YZ-basplan - + Base XZ plane XZ-basplan + + + Add feature + Lägg till funktion + + + + Remove feature + Ta bort funktion + + + + List can be reordered by dragging + List can be reordered by dragging + + + + Update view + Uppdatera vy + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ click again to end selection Vänligen skapa ett plan först eller välj en yta att skissa på - - - - - - + + + + + + A dialog is already open in the task panel En dialogruta är redan öppen i uppgiftspanelen - - - - - - + + + + + + Do you want to close this dialog? Vill du stänga denna dialogruta? @@ -3743,14 +3633,14 @@ This may lead to unexpected results. Det går inte att skapa en subtraktiv funktion utan en tillgänglig basfunktion + - Vertical sketch axis Vertikal skissaxel + - Horizontal sketch axis Horisontell skissaxel @@ -3804,15 +3694,15 @@ Om du har ett utdaterat dokument med Part Design-objekt utan kropp, använd migr För att kunna använda denna funktion måste den tillhöra en del i dokumentet. - - + + Edit %1 Redigera %1 - + Set colors... Ställ in färgerna ... @@ -4731,83 +4621,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4870,8 +4760,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4882,14 +4772,14 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4899,14 +4789,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4961,10 +4851,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5066,15 +4956,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts index ef1a0cfad769..4d49f4d9e4d8 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_tr.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Klone oluştur - + Make copy Kopya oluştur @@ -909,8 +909,8 @@ so that self intersection is avoided. Mantıksal (İşlem) Oluştur - + Add a Body Gövde Ekle @@ -940,22 +940,22 @@ so that self intersection is avoided. Bir nesneyi işlem ağacı içerisinde taşı - + Mirrored Aynala - + Make LinearPattern Doğrusal Çoğaltma yap - + PolarPattern Dairesel Çoğaltım - + Scaled Ölçeklendirilmiş @@ -2057,73 +2057,43 @@ seçimi bitirmek için tekrar basın PartDesignGui::TaskLinearPatternParameters - - Add feature - Özellik ekle - - - - Remove feature - Özelliğini kaldır - - - - List can be reordered by dragging - Liste, sürüklenerek tekrar sıralanabilir - - - + Direction Yön - + Reverse direction Reverse direction - + Mode Mod - + Overall Length Overall Length - - + + Offset Uzaklaşma - + Length Uzunluk - + Occurrences Yineleme adedi - - OK - Tamam - - - - Update view - Görünümü güncelle - - - - Remove - Kaldır - - - + Error Hata @@ -2184,115 +2154,65 @@ seçimi bitirmek için tekrar basın PartDesignGui::TaskMirroredParameters - - Add feature - Özellik ekle - - - - Remove feature - Özelliğini kaldır - - - - List can be reordered by dragging - Liste, sürüklenerek tekrar sıralanabilir - - - + Plane Düzlem - - OK - Tamam - - - - Update view - Görünümü güncelle - - - - Remove - Kaldır - - - + Error Hata PartDesignGui::TaskMultiTransformParameters - - - Add feature - Özellik ekle - - Remove feature - Özelliğini kaldır - - - - List can be reordered by dragging - Liste, sürüklenerek tekrar sıralanabilir - - - Transformations Dönüşümler - - Update view - Görünümü güncelle - - - - Remove - Kaldır + + OK + Tamam - + Edit Düzenle - + Delete Sil - + Add mirrored transformation Aynalama özelliği ekle - + Add linear pattern Doğrusal çoğaltım ekle - + Add polar pattern Dairesel çoğaltım ekle - + Add scaled transformation Ölçekleme dönüşümü ekle - + Move up Yukarı taşı - + Move down Aşağı taşı @@ -2747,77 +2667,47 @@ belirlenen yön boyunca ölçülecek PartDesignGui::TaskPolarPatternParameters - - Add feature - Özellik ekle - - - - Remove feature - Özelliğini kaldır - - - - List can be reordered by dragging - Liste, sürüklenerek tekrar sıralanabilir - - - + Axis Eksen - + Reverse direction Reverse direction - + Mode Mod - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Açı - + Offset Uzaklaşma - + Occurrences Yineleme adedi - - OK - Tamam - - - - Update view - Görünümü güncelle - - - - Remove - Kaldır - - - + Error Hata @@ -2953,40 +2843,15 @@ belirlenen yön boyunca ölçülecek PartDesignGui::TaskScaledParameters - - Add feature - Özellik ekle - - - - Remove feature - Özelliğini kaldır - - - + Factor Faktör - + Occurrences Yineleme adedi - - - OK - Tamam - - - - Update view - Görünümü güncelle - - - - Remove - Kaldır - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ seçimi bitirmek için tekrar basın PartDesignGui::TaskTransformedParameters - + + Remove + Kaldır + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Dikey taslak ekseni - + Horizontal sketch axis Yatay taslak ekseni - - + + Construction line %1 Yapı hattı %1 - + Base X axis Baz X ekseni - + Base Y axis Baz Y ekseni - + Base Z axis Baz Z ekseni - - + + Select reference... Select reference... - + Base XY plane Baz XY düzlemi - + Base YZ plane Baz YZ düzlemi - + Base XZ plane Baz XZ düzlemi + + + Add feature + Özellik ekle + + + + Remove feature + Özelliğini kaldır + + + + List can be reordered by dragging + Liste, sürüklenerek tekrar sıralanabilir + + + + Update view + Görünümü güncelle + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ seçimi bitirmek için tekrar basın Lütfen önce bir düzlem oluşturun ya da bir eskiz yüzeyi seçin - - - - - - + + + + + + A dialog is already open in the task panel Araç çubuğunda bir pencere zaten açık - - - - - - + + + + + + Do you want to close this dialog? Bu pencereyi kapatmak ister misiniz? @@ -3748,14 +3638,14 @@ Bu, beklenmedik sonuçlara neden olabilir. Mevcut bir temel özellik olmadan bir çıkarılabilir özellik oluşturmak mümkün değildir + - Vertical sketch axis Dikey taslak ekseni + - Horizontal sketch axis Yatay taslak ekseni @@ -3809,15 +3699,15 @@ Gövdeye sahip olmayan nesneler içeren eski bir belgeniz varsa, bunları bir g Bu özelliği kullanmak için belgedeki bir parçaya ait olması gerekir. - - + + Edit %1 %1'i düzenle - + Set colors... Renkleri ayarla... @@ -4736,83 +4626,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4875,8 +4765,8 @@ over 90: larger hole radius at the bottom Oluk açısı çok dar - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ over 90: larger hole radius at the bottom - seçili eskiz etkin Gövdeye ait değil. - + Creating a face from sketch failed Taslakdan yüzey yaratma hatası - + Revolve axis intersects the sketch Çevirme ekseni taslak ile kesizşiyor @@ -4904,14 +4794,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4966,10 +4856,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5071,15 +4961,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts index 0cb9721dae1f..0a12317621af 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_uk.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Створити Клон - + Make copy Зробити копію @@ -909,8 +909,8 @@ so that self intersection is avoided. Створити Булеву операцію - + Add a Body Додати Тіло @@ -940,22 +940,22 @@ so that self intersection is avoided. Перемістити об’єкт всередині ієрархії документа - + Mirrored Дзеркальне зображення - + Make LinearPattern Створити Лінійний масив - + PolarPattern Круговий масив - + Scaled Масштабування @@ -2057,73 +2057,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Додати елемент - - - - Remove feature - Видалити елемент - - - - List can be reordered by dragging - Список можна змінити шляхом перетягування - - - + Direction Напрямок - + Reverse direction Зворотний напрямок - + Mode Режим - + Overall Length Overall Length - - + + Offset Зміщення - + Length Довжина - + Occurrences Кількість Входження - - OK - Підтвердити - - - - Update view - Оновити вигляд - - - - Remove - Видалити - - - + Error Помилка @@ -2184,115 +2154,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Додати елемент - - - - Remove feature - Видалити елемент - - - - List can be reordered by dragging - Список можна змінити шляхом перетягування - - - + Plane Площини - - OK - Підтвердити - - - - Update view - Оновити вигляд - - - - Remove - Видалити - - - + Error Помилка PartDesignGui::TaskMultiTransformParameters - - - Add feature - Додати елемент - - Remove feature - Видалити елемент - - - - List can be reordered by dragging - Список можна змінити шляхом перетягування - - - Transformations Перетворення - - Update view - Оновити вигляд - - - - Remove - Видалити + + OK + Підтвердити - + Edit Правка - + Delete Видалити - + Add mirrored transformation Додати дзеркальне перетворення - + Add linear pattern Додати лінійній масив - + Add polar pattern Додати круговий масив - + Add scaled transformation Додати масштабоване перетворення - + Move up Перемістити вгору - + Move down Перемістити вниз @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Додати елемент - - - - Remove feature - Видалити елемент - - - - List can be reordered by dragging - Список можна змінити шляхом перетягування - - - + Axis Вісь - + Reverse direction Зворотний напрямок - + Mode Режим - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Кут - + Offset Зміщення - + Occurrences Кількість Входження - - OK - Підтвердити - - - - Update view - Оновити вигляд - - - - Remove - Видалити - - - + Error Помилка @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Додати елемент - - - - Remove feature - Видалити елемент - - - + Factor Коефіцієнт - + Occurrences Кількість Входження - - - OK - Підтвердити - - - - Update view - Оновити вигляд - - - - Remove - Видалити - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Видалити + + + Normal sketch axis Нормаль до осі ескізу - + Vertical sketch axis Вертикальна вісь ескізу - + Horizontal sketch axis Горизонтальна вісь ескізу - - + + Construction line %1 Допоміжна лінія %1 - + Base X axis Базова вісь X - + Base Y axis Базова вісь Y - + Base Z axis Базова вісь Z - - + + Select reference... Виберіть посилання... - + Base XY plane Базова площина XY - + Base YZ plane Базова площина YZ - + Base XZ plane Базова площина XZ + + + Add feature + Додати елемент + + + + Remove feature + Видалити елемент + + + + List can be reordered by dragging + Список можна змінити шляхом перетягування + + + + Update view + Оновити вигляд + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ click again to end selection Будь ласка, спочатку створіть або виберіть грань для розміщення ескізу - - - - - - + + + + + + A dialog is already open in the task panel Діалогове вікно вже відкрито в панелі задач - - - - - - + + + + + + Do you want to close this dialog? Ви бажаєте закрити це діалогове вікно? @@ -3747,14 +3637,14 @@ This may lead to unexpected results. Неможливо створити субтрактивний елемент без базового елементу + - Vertical sketch axis Вертикальна вісь ескізу + - Horizontal sketch axis Горизонтальна вісь ескізу @@ -3808,15 +3698,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr Щоб використовувати цю функцію, вона повина належати обʼєкту Деталь в документі. - - + + Edit %1 Редагувати %1 - + Set colors... Встановити кольори... @@ -4736,83 +4626,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4875,8 +4765,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4887,14 +4777,14 @@ over 90: larger hole radius at the bottom - виділений ескіз не належить до активного тіла. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4904,14 +4794,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4966,10 +4856,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5071,15 +4961,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_val-ES.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_val-ES.ts index 83cb7128ec1b..04cfa649c076 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_val-ES.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_val-ES.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. Create Clone - + Make copy Make copy @@ -909,8 +909,8 @@ so that self intersection is avoided. Create Boolean - + Add a Body Add a Body @@ -940,22 +940,22 @@ so that self intersection is avoided. Move an object inside tree - + Mirrored Simetria - + Make LinearPattern Make LinearPattern - + PolarPattern Patró polar - + Scaled Escalat @@ -2057,73 +2057,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - Afig una funcionalitat - - - - Remove feature - Elimina una funcionalitat - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Direction Direcció - + Reverse direction Reverse direction - + Mode Mode - + Overall Length Overall Length - - + + Offset Separació - + Length Longitud - + Occurrences Ocurrències - - OK - D'acord - - - - Update view - Actualitza la vista - - - - Remove - Elimina - - - + Error Error @@ -2184,115 +2154,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - Afig una funcionalitat - - - - Remove feature - Elimina una funcionalitat - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Plane Pla - - OK - D'acord - - - - Update view - Actualitza la vista - - - - Remove - Elimina - - - + Error Error PartDesignGui::TaskMultiTransformParameters - - - Add feature - Afig una funcionalitat - - Remove feature - Elimina una funcionalitat - - - - List can be reordered by dragging - List can be reordered by dragging - - - Transformations Transformacions - - Update view - Actualitza la vista - - - - Remove - Elimina + + OK + D'acord - + Edit Edita - + Delete Elimina - + Add mirrored transformation Afig una transformació de simetria - + Add linear pattern Afig un patró lineal - + Add polar pattern Afig un patró polar - + Add scaled transformation Afig una transformació escalada - + Move up Mou amunt - + Move down Mou avall @@ -2747,77 +2667,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - Afig una funcionalitat - - - - Remove feature - Elimina una funcionalitat - - - - List can be reordered by dragging - List can be reordered by dragging - - - + Axis Eix - + Reverse direction Reverse direction - + Mode Mode - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle Angle - + Offset Separació - + Occurrences Ocurrències - - OK - D'acord - - - - Update view - Actualitza la vista - - - - Remove - Elimina - - - + Error Error @@ -2953,40 +2843,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - Afig una funcionalitat - - - - Remove feature - Elimina una funcionalitat - - - + Factor Factor - + Occurrences Ocurrències - - - OK - D'acord - - - - Update view - Actualitza la vista - - - - Remove - Elimina - PartDesignGui::TaskShapeBinder @@ -3110,62 +2975,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + Elimina + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis Vertical sketch axis - + Horizontal sketch axis Horizontal sketch axis - - + + Construction line %1 Línia de construcció %1 - + Base X axis Eix base X - + Base Y axis Eix base Y - + Base Z axis Eix base Z - - + + Select reference... Select reference... - + Base XY plane Pla base XY - + Base YZ plane Pla base YZ - + Base XZ plane Pla base XZ + + + Add feature + Afig una funcionalitat + + + + Remove feature + Elimina una funcionalitat + + + + List can be reordered by dragging + List can be reordered by dragging + + + + Update view + Actualitza la vista + PartDesignGui::ViewProviderChamfer @@ -3459,28 +3349,28 @@ click again to end selection Creeu primer un pla o seleccioneu una cara a esbossar - - - - - - + + + + + + A dialog is already open in the task panel A dialog is already open in the task panel - - - - - - + + + + + + Do you want to close this dialog? Do you want to close this dialog? @@ -3746,14 +3636,14 @@ Això pot portar a resultats inesperats. No és possible crear una funció subtractiva sense una funció de base disponible. + - Vertical sketch axis Vertical sketch axis + - Horizontal sketch axis Horizontal sketch axis @@ -3807,15 +3697,15 @@ Si teniu un document antic amb objectes PartDesign sense cos, utilitzeu la funci Per a utilitzar aquesta característica ha de pertànyer a un objecte peça del document. - - + + Edit %1 Edita %1 - + Set colors... Estableix els colors... @@ -4734,83 +4624,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4873,8 +4763,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4885,14 +4775,14 @@ over 90: larger hole radius at the bottom - the selected sketch does not belong to the active Body. - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4902,14 +4792,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4964,10 +4854,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5069,15 +4959,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed Boolean operation failed - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-CN.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-CN.ts index 6850a5801fa2..6cb01b2b61f7 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-CN.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-CN.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. 创建副本 - + Make copy 制作副本 @@ -909,8 +909,8 @@ so that self intersection is avoided. 创建布尔变量 - + Add a Body 添加实体 @@ -940,22 +940,22 @@ so that self intersection is avoided. 在树中移动对象 - + Mirrored 镜像 - + Make LinearPattern 线性阵列 - + PolarPattern 环形阵列 - + Scaled 缩放 @@ -2057,73 +2057,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - 添加特征 - - - - Remove feature - 删除特征 - - - - List can be reordered by dragging - 列表可以通过拖动重新排序 - - - + Direction 方向 - + Reverse direction 反转方向 - + Mode 模式 - + Overall Length Overall Length - - + + Offset 偏移 - + Length 长度 - + Occurrences 出现次数 - - OK - 确定 - - - - Update view - 更新视图 - - - - Remove - 删除 - - - + Error 错误 @@ -2184,115 +2154,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - 添加特征 - - - - Remove feature - 删除特征 - - - - List can be reordered by dragging - 列表可以通过拖动重新排序 - - - + Plane 平面 - - OK - 确定 - - - - Update view - 更新视图 - - - - Remove - 删除 - - - + Error 错误 PartDesignGui::TaskMultiTransformParameters - - - Add feature - 添加特征 - - Remove feature - 删除特征 - - - - List can be reordered by dragging - 列表可以通过拖动重新排序 - - - Transformations 变换 - - Update view - 更新视图 - - - - Remove - 删除 + + OK + 确定 - + Edit 编辑 - + Delete 删除 - + Add mirrored transformation 添加镜像变换 - + Add linear pattern 添加线性阵列 - + Add polar pattern 添加环形阵列 - + Add scaled transformation 添加缩放变换 - + Move up 上移 - + Move down 下移 @@ -2746,77 +2666,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - 添加特征 - - - - Remove feature - 删除特征 - - - - List can be reordered by dragging - 列表可以通过拖动重新排序 - - - + Axis 轴线 - + Reverse direction 反转方向 - + Mode 模式 - + Overall Angle Overall Angle - + Offset Angle Offset Angle - + Angle 角度 - + Offset 偏移 - + Occurrences 出现次数 - - OK - 确定 - - - - Update view - 更新视图 - - - - Remove - 删除 - - - + Error 错误 @@ -2952,40 +2842,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - 添加特征 - - - - Remove feature - 删除特征 - - - + Factor 缩放因子 - + Occurrences 出现次数 - - - OK - 确定 - - - - Update view - 更新视图 - - - - Remove - 删除 - PartDesignGui::TaskShapeBinder @@ -3109,62 +2974,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + 删除 + + + Normal sketch axis Normal sketch axis - + Vertical sketch axis 垂直草绘轴 - + Horizontal sketch axis 水平草绘轴 - - + + Construction line %1 辅助线 %1 - + Base X axis X 轴 - + Base Y axis Y 轴 - + Base Z axis Z 轴 - - + + Select reference... Select reference... - + Base XY plane XY 基准平面 - + Base YZ plane YZ 基准平面 - + Base XZ plane XZ 基准平面 + + + Add feature + 添加特征 + + + + Remove feature + 删除特征 + + + + List can be reordered by dragging + 列表可以通过拖动重新排序 + + + + Update view + 更新视图 + PartDesignGui::ViewProviderChamfer @@ -3458,28 +3348,28 @@ click again to end selection 请先创建一个平面或选择一个平面用于画草图 - - - - - - + + + + + + A dialog is already open in the task panel 一个对话框已在任务面板打开 - - - - - - + + + + + + Do you want to close this dialog? 您要关闭此对话框吗? @@ -3747,14 +3637,14 @@ This may lead to unexpected results. 如果没有可用的基础特征, 就不可能创建减料特征 + - Vertical sketch axis 垂直草绘轴 + - Horizontal sketch axis 水平草绘轴 @@ -3808,15 +3698,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr 要使用此特征, 它需隶属于文档中的零件对象。 - - + + Edit %1 编辑 %1 - + Set colors... 设置颜色... @@ -4734,83 +4624,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null Base shape is null - + Tool shape is null Tool shape is null - + Fusion of tools failed Fusion of tools failed - - - - - + - + + + + + Resulting shape is not a solid Resulting shape is not a solid - + Cut out failed Cut out failed - + Common operation failed Common operation failed - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. Result has multiple solids: that is not currently supported. @@ -4873,8 +4763,8 @@ over 90: larger hole radius at the bottom Angle of groove too small - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4885,14 +4775,14 @@ over 90: larger hole radius at the bottom - 选中的草图不属于活动实体。 - + Creating a face from sketch failed Creating a face from sketch failed - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4902,14 +4792,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4964,10 +4854,10 @@ Intersecting sketch entities in a sketch are not allowed. Error: Could not build + - Error: Result is not a solid Error: Result is not a solid @@ -5069,15 +4959,15 @@ Intersecting sketch entities in a sketch are not allowed. Error: Adding the thread failed - + Boolean operation failed 布尔操作失败 - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. Could not create face from sketch. diff --git a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-TW.ts b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-TW.ts index 50934ed704c8..277d2fccecd5 100644 --- a/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-TW.ts +++ b/src/Mod/PartDesign/Gui/Resources/translations/PartDesign_zh-TW.ts @@ -883,8 +883,8 @@ so that self intersection is avoided. 建立一個副本 - + Make copy 製作拷貝 @@ -909,8 +909,8 @@ so that self intersection is avoided. 建立布林運算 - + Add a Body 增加一個實體 @@ -940,22 +940,22 @@ so that self intersection is avoided. 將一個物件移至樹中 - + Mirrored 鏡像 - + Make LinearPattern 建立線形樣式 - + PolarPattern 環狀複製模式 - + Scaled 縮放 @@ -2052,73 +2052,43 @@ click again to end selection PartDesignGui::TaskLinearPatternParameters - - Add feature - 加入特徵 - - - - Remove feature - 移除特徵 - - - - List can be reordered by dragging - 清單可以通過拖曳來重新排序 - - - + Direction 方向 - + Reverse direction 反轉方向 - + Mode 模式 - + Overall Length 總長度 - - + + Offset 偏移 - + Length 間距 - + Occurrences 產生次數 - - OK - 確定 - - - - Update view - 更新視圖 - - - - Remove - 移除 - - - + Error 錯誤 @@ -2179,115 +2149,65 @@ click again to end selection PartDesignGui::TaskMirroredParameters - - Add feature - 加入特徵 - - - - Remove feature - 移除特徵 - - - - List can be reordered by dragging - 清單可以通過拖曳來重新排序 - - - + Plane 平面 - - OK - 確定 - - - - Update view - 更新視圖 - - - - Remove - 移除 - - - + Error 錯誤 PartDesignGui::TaskMultiTransformParameters - - - Add feature - 加入特徵 - - Remove feature - 移除特徵 - - - - List can be reordered by dragging - 清單可以通過拖曳來重新排序 - - - Transformations 排列形式 - - Update view - 更新視圖 - - - - Remove - 移除 + + OK + 確定 - + Edit 編輯 - + Delete 刪除 - + Add mirrored transformation 加入鏡射效果 - + Add linear pattern 加入線狀排列效果 - + Add polar pattern 加入環狀排列效果 - + Add scaled transformation 加入縮放效果 - + Move up 上移 - + Move down 下移 @@ -2739,77 +2659,47 @@ measured along the specified direction PartDesignGui::TaskPolarPatternParameters - - Add feature - 加入特徵 - - - - Remove feature - 移除特徵 - - - - List can be reordered by dragging - 清單可以通過拖曳來重新排序 - - - + Axis - + Reverse direction 反轉方向 - + Mode 模式 - + Overall Angle 總角度 - + Offset Angle 偏移角度 - + Angle 角度 - + Offset 偏移 - + Occurrences 產生次數 - - OK - 確定 - - - - Update view - 更新視圖 - - - - Remove - 移除 - - - + Error 錯誤 @@ -2945,40 +2835,15 @@ measured along the specified direction PartDesignGui::TaskScaledParameters - - Add feature - 加入特徵 - - - - Remove feature - 移除特徵 - - - + Factor 因數 - + Occurrences 產生次數 - - - OK - 確定 - - - - Update view - 更新視圖 - - - - Remove - 移除 - PartDesignGui::TaskShapeBinder @@ -3101,62 +2966,87 @@ click again to end selection PartDesignGui::TaskTransformedParameters - + + Remove + 移除 + + + Normal sketch axis 垂直草圖軸 - + Vertical sketch axis 垂直草圖軸 - + Horizontal sketch axis 水平草圖軸 - - + + Construction line %1 結構線 %1: - + Base X axis 基本 X 軸 - + Base Y axis 物體原點的Y軸 - + Base Z axis Z 軸 - - + + Select reference... 選取參考... - + Base XY plane XY 平面 - + Base YZ plane YZ 平面 - + Base XZ plane XZ 平面 + + + Add feature + 加入特徵 + + + + Remove feature + 移除特徵 + + + + List can be reordered by dragging + 清單可以通過拖曳來重新排序 + + + + Update view + 更新視圖 + PartDesignGui::ViewProviderChamfer @@ -3450,28 +3340,28 @@ click again to end selection 請先創建一個平面或選擇要在其上繪製草圖的面 - - - - - - + + + + + + A dialog is already open in the task panel 於工作面板已開啟對話窗 - - - - - - + + + + + + Do you want to close this dialog? 您確定要關閉此對話窗嗎? @@ -3737,14 +3627,14 @@ This may lead to unexpected results. 如果沒有可用的基本特徵,則無法創建除料特徵 + - Vertical sketch axis 垂直草圖軸 + - Horizontal sketch axis 水平草圖軸 @@ -3798,15 +3688,15 @@ If you have a legacy document with PartDesign objects without Body, use the migr 為了使用此特徵,它需要屬於文件中的一個零件物件。 - - + + Edit %1 編輯 %1 - + Set colors... 設定顏色... @@ -4724,83 +4614,83 @@ over 90: larger hole radius at the bottom BaseFeature has an empty shape - + Cannot do boolean cut without BaseFeature Cannot do boolean cut without BaseFeature - - + + Cannot do boolean with anything but Part::Feature and its derivatives Cannot do boolean with anything but Part::Feature and its derivatives - + Cannot do boolean operation with invalid base shape Cannot do boolean operation with invalid base shape - + Cannot do boolean on feature which is not in a body Cannot do boolean on feature which is not in a body - + Base shape is null 基礎形狀為空 - + Tool shape is null 工具形狀為空 - + Fusion of tools failed 工具的融合失敗 - - - - - + - + + + + + Resulting shape is not a solid 產成形狀不是固體 - + Cut out failed 裁剪失敗 - + Common operation failed 通用操作失敗 - - - - - - - - - + + + + + + + + + Result has multiple solids: that is not currently supported. 產生形狀有多重(非相連)固體:目前尚未支援。 @@ -4863,8 +4753,8 @@ over 90: larger hole radius at the bottom 挖槽的角度太小 - + The requested feature cannot be created. The reason may be that: - the active Body does not contain a base shape, so there is no material to be removed; @@ -4874,14 +4764,14 @@ over 90: larger hole radius at the bottom - 所選擇的草圖不屬於活躍實體。 - + Creating a face from sketch failed 由草圖建立面失敗 - + Revolve axis intersects the sketch Revolve axis intersects the sketch @@ -4891,14 +4781,14 @@ over 90: larger hole radius at the bottom Cut out of base feature failed - + Could not revolve the sketch! Could not revolve the sketch! - + Could not create face from sketch. Intersecting sketch entities in a sketch are not allowed. Could not create face from sketch. @@ -4953,10 +4843,10 @@ Intersecting sketch entities in a sketch are not allowed. 錯誤:無法建立 + - Error: Result is not a solid 錯誤:產生形狀不是固體 @@ -5058,15 +4948,15 @@ Intersecting sketch entities in a sketch are not allowed. 錯誤:添加螺旋失敗 - + Boolean operation failed 布林運算失敗 - + Could not create face from sketch. Intersecting sketch entities or multiple faces in a sketch are not allowed for making a pocket up to a face. 無法從草圖建立面。草圖實體的交叉或草圖中存在多個面不允許製作一個沖孔至一個面。 diff --git a/src/Mod/Path/Gui/Resources/translations/Path.ts b/src/Mod/Path/Gui/Resources/translations/Path.ts index 72f61df0701d..a29a66b85953 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path.ts @@ -701,17 +701,17 @@ For stock from the Base object's bounding box it means the extra material i - + Add - - + + Remove @@ -762,8 +762,8 @@ Reset deletes all current items from the list and fills the list with all circul - + All objects will be processed using the same operation properties. @@ -808,32 +808,32 @@ Reset deletes all current items from the list and fills the list with all circul - + Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -848,14 +848,14 @@ Reset deletes all current items from the list and fills the list with all circul - + Final Depth - + Step Down @@ -895,34 +895,34 @@ Reset deletes all current items from the list and fills the list with all circul + - - - - + + - + + The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode @@ -932,28 +932,28 @@ Reset deletes all current items from the list and fills the list with all circul - + + + + - - + - - - + - + + - - + Tool Controller - - + + Coolant @@ -973,8 +973,8 @@ Reset deletes all current items from the list and fills the list with all circul - + Step Over Percent @@ -1024,8 +1024,8 @@ Reset deletes all current items from the list and fills the list with all circul - + Use Outline @@ -1080,10 +1080,10 @@ Reset deletes all current items from the list and fills the list with all circul - + - + Direction @@ -1093,15 +1093,15 @@ Reset deletes all current items from the list and fills the list with all circul + - CW - + CCW @@ -1126,8 +1126,6 @@ Reset deletes all current items from the list and fills the list with all circul - - @@ -1137,6 +1135,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm @@ -1352,11 +1352,11 @@ Reset deletes all current items from the list and fills the list with all circul - - + + The tool and its settings to be used for this operation @@ -1455,9 +1455,9 @@ The latter can be used to face of the entire stock area to ensure uniform height - + Use Start Point @@ -1713,9 +1713,9 @@ The latter can be used to face of the entire stock area to ensure uniform height + - Layer Mode @@ -1755,8 +1755,8 @@ The latter can be used to face of the entire stock area to ensure uniform height - + Cut Pattern @@ -1771,14 +1771,14 @@ The latter can be used to face of the entire stock area to ensure uniform height - + Bounding Box - + Select the overall boundary for the operation. @@ -1788,14 +1788,14 @@ The latter can be used to face of the entire stock area to ensure uniform height - + Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. @@ -1820,14 +1820,14 @@ The latter can be used to face of the entire stock area to ensure uniform height - + Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. @@ -1837,8 +1837,8 @@ The latter can be used to face of the entire stock area to ensure uniform height - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1873,28 +1873,28 @@ The latter can be used to face of the entire stock area to ensure uniform height - + Step over - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. - + Sample interval - + Optimize Linear Paths @@ -2028,8 +2028,8 @@ Default: 3 mm - + Type @@ -2059,8 +2059,8 @@ Default: 3 mm - + Operation @@ -2943,8 +2943,8 @@ Should multiple tools or tool shapes with the same name exist in different direc - + Radius @@ -3359,8 +3359,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator @@ -4191,9 +4191,10 @@ For example: - + Edit + int = field(default=None) @@ -4335,8 +4336,8 @@ For example: - + %s is not a Base Model object of the job %s @@ -4356,8 +4357,8 @@ For example: - + Choose a Path Job @@ -4461,7 +4462,6 @@ For example: List of custom property groups - int = field(default=None) @@ -4524,12 +4524,12 @@ For example: - - + + The base path to modify @@ -4823,9 +4823,9 @@ For example: - + Operations Cycle Time Estimation @@ -4910,8 +4910,8 @@ For example: - + Make False, to prevent operation from generating code @@ -4931,8 +4931,8 @@ For example: - + Percent of cutter diameter to step over on each pass @@ -5108,10 +5108,10 @@ For example: - - + + Make True, if specifying a Start Point @@ -5225,9 +5225,9 @@ For example: + - Additional base objects to be engraved @@ -5268,9 +5268,9 @@ For example: + - Extra value to stay away from final profile- good for roughing toolpath @@ -5290,9 +5290,9 @@ For example: - - + + Choose how to process multiple Base Geometry features. @@ -5313,8 +5313,8 @@ For example: - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5421,8 +5421,8 @@ For example: - + Show the temporary path construction objects when module is in DEBUG mode. @@ -5438,8 +5438,8 @@ For example: - + Set the geometric clearing pattern to use for the operation. @@ -5455,8 +5455,8 @@ For example: - + Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5487,8 +5487,8 @@ For example: - + The custom start point for the path of this operation @@ -6002,22 +6002,22 @@ For example: Path_Dressup - + Please select one path object - + The selected object is not a path - + Please select a Path object @@ -6174,8 +6174,8 @@ For example: - + All Files (*.*) @@ -6903,14 +6903,14 @@ For example: PathProfile - + Outside - + Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_be.ts b/src/Mod/Path/Gui/Resources/translations/Path_be.ts index 2eb132f3b7e0..78f52fe3f779 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_be.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_be.ts @@ -722,17 +722,17 @@ FreeCAD пастаўляецца з некалькімі прадусталяв Ачысціць спіс асноўнай геаметрыі - + Add Дадаць - - + + Remove Выдаліць @@ -790,8 +790,8 @@ Reset deletes all current items from the list and fills the list with all circul Скінуць - + All objects will be processed using the same operation properties. Усе аб'екты будуць апрацаваныя з ужываннем адных і тых жа ўласцівасцяў аперацыі. @@ -837,33 +837,33 @@ Reset deletes all current items from the list and fills the list with all circul Усе месцазнаходжанні будуць апрацаваныя з ужываннем адных і тых жа ўласцівасцяў аперацыі. - + Start Depth Пачатковая глыбіня - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Пачатковая глыбіня аперацыі. Самая высокая кропка па восі Z, якую неабходна апрацаваць. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Перадайце значэнне Z абранай характарыстыкі ў якасці пачатковай глыбіні для аперацыі. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Глыбіня аперацыі, якая адпавядае найменшаму значэнню па восі Z, якую неабходна апрацаваць. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Перадайце значэнне Z абранай характарыстыкі ў якасці канчатковай глыбіні для аперацыі. @@ -881,14 +881,14 @@ Reset deletes all current items from the list and fills the list with all circul Можа ўжывацца для атрымання больш чыстага пакрыцця. - + Final Depth Канчатковая глыбіня - + Step Down Крок уніз @@ -929,34 +929,34 @@ Reset deletes all current items from the list and fills the list with all circul Вышыня зазору + - - - - + + - + + The tool and its settings to be used for this operation. Інструмент і яго налады, якія будуць ужывацца для дадзенай аперацыі. + + + - - - - + + + + - - - Coolant Mode Рэжым астуджэння @@ -966,28 +966,28 @@ Reset deletes all current items from the list and fills the list with all circul G-код - + + + + - - + - - - + - + + - - + Tool Controller Кантролер інструментаў - - + + Coolant Астуджальная вадкасць @@ -1007,8 +1007,8 @@ Reset deletes all current items from the list and fills the list with all circul Тып аперацыи - + Step Over Percent Крок наперад у адсотках @@ -1058,8 +1058,8 @@ Reset deletes all current items from the list and fills the list with all circul Аздабіць профіль - + Use Outline Ужываць контур @@ -1118,10 +1118,10 @@ Reset deletes all current items from the list and fills the list with all circul Спыніць - + - + Direction Напрамак @@ -1131,15 +1131,15 @@ Reset deletes all current items from the list and fills the list with all circul Напрамак, у якім выконваецца профіль, па гадзінніку ці супраць. + - CW Па гадзінніку - + CCW Супраць гадзінніка @@ -1164,8 +1164,6 @@ Reset deletes all current items from the list and fills the list with all circul Дыяганальнае аб'яднанне - - @@ -1175,6 +1173,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm мм @@ -1393,11 +1393,11 @@ Reset deletes all current items from the list and fills the list with all circul Шаблон - - + + The tool and its settings to be used for this operation @@ -1501,9 +1501,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Дапаможнік матэрыялу - + Use Start Point Ужыць пачатковую кропку @@ -1765,9 +1765,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Выцягнуць канец траекторыі + - Layer Mode Рэжым пластоў @@ -1807,8 +1807,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Тып сканіравання - + Cut Pattern Шаблон апрацоўкі @@ -1823,14 +1823,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Пазбягайце апошніх X граняў - + Bounding Box Габарыты - + Select the overall boundary for the operation. Абраць агульную мяжу для аперацыі. @@ -1841,14 +1841,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Вярчальны: вярчальнае сканіраванне па чацвёртай восі. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Завершае аперацыю за адзін праход на глыбіню, альбо за некалькі праходаў да канчатковай глыбіні. - + Set the geometric clearing pattern to use for the operation. Задаць геаметрычны шаблон ачысткі, які будзе ўжывацца для аперацыі. @@ -1873,14 +1873,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Лініі фрэзеравання ствараць паралельна дадзенай восі. - + Set the Z-axis depth offset from the target surface. Задаць зрушэнне глыбіні па восі Z ад мэтавай паверхні. - + Set the sampling resolution. Smaller values quickly increase processing time. Задаць дазвол выбаркі. Меншыя значэння хутка павялічваюць час апрацоўкі. @@ -1890,8 +1890,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Задаць True, калі пакажыце пачатковую кропку - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Уключыць аптымізацыю лінейных траекторый (калінеарных кропак). Выдаляе непатрэбныя калінеарныя кропкі з вываду G-кода. @@ -1926,14 +1926,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Зрушэнне глыбіні - + Step over Пераступіць - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1941,14 +1941,14 @@ A step over of 100% results in no overlap between two different cycles. Пераход на 100% не прыводзіць да перакрыцця двух розных цыклаў. - + Sample interval Інтэрвал выбаркі - + Optimize Linear Paths Аптымізаваць лінейныя траекторыі @@ -2089,8 +2089,8 @@ Default: 3 mm Арыентацыя - + Type Тып @@ -2120,8 +2120,8 @@ Default: 3 mm Крок (віткоў на цалю) - + Operation Аперацыя @@ -3049,8 +3049,8 @@ Should multiple tools or tool shapes with the same name exist in different direc Аздабленне восей - + Radius Радыус @@ -3471,8 +3471,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Сродак мадэлявання траекторый @@ -4358,9 +4358,10 @@ For example: Больш не паказваць - + Edit + int = field(default=None) Змяніць @@ -4502,8 +4503,8 @@ For example: Неплоскі адаптыўны запуск таксама недаступны. - + %s is not a Base Model object of the job %s %s не з'яўляецца аб'ектам асноўнай мадэлі задання %s @@ -4523,8 +4524,8 @@ For example: Профіль усёй мадэлі, абраных граняў ці абраны' рэбраў - + Choose a Path Job Абраць траекторыю да задання @@ -4628,7 +4629,6 @@ For example: List of custom property groups - int = field(default=None) Спіс карыстальніцкіх суполак уласцівасцяў @@ -4691,12 +4691,12 @@ For example: - - + + The base path to modify Асноўная траекторыя для змены @@ -4990,9 +4990,9 @@ For example: Калекцыя ўсіх кантролераў інструментаў для задання - + Operations Cycle Time Estimation Ацэнка часу цыклу аперацыі @@ -5077,8 +5077,8 @@ For example: Нумар зрушэння прыстасавання - + Make False, to prevent operation from generating code Задаць False, каб прадухіліць стварэнне G-кода для аперацыи @@ -5098,8 +5098,8 @@ For example: Уплывае на дакладнасць і эфектыўнасць - + Percent of cutter diameter to step over on each pass Адсотак дыяметра разца, які неабходна пераступаць пры кожным праходзе @@ -5275,10 +5275,10 @@ For example: Пачатковая кропка траекторыі - - + + Make True, if specifying a Start Point Задаць True, калі пакажыце пачатковую кропку @@ -5393,9 +5393,9 @@ For example: Прымяніць адвод G99: толькі адвод на вышыню адводу (RetractHeight) паміж адтулінамі ў дадзенай аперацыі + - Additional base objects to be engraved Дадатковыя асноўныя аб'екты для гравіроўкі @@ -5436,9 +5436,9 @@ For example: Радыус пачатку + - Extra value to stay away from final profile- good for roughing toolpath Дадатковае значэнне, якое дазваляе трымацца далей ад канчатковага профілю - падыходзіць для траекторыі інструмента чарнавой апрацоўкі @@ -5458,9 +5458,9 @@ For example: Выключыць фрэзераванне, якія выступаюць адносна ўнутранай грані. - - + + Choose how to process multiple Base Geometry features. Абраць спосаб апрацоўкі некалькіх характарыстык асноўнай геаметрыі. @@ -5481,8 +5481,8 @@ For example: Апрацаваць мадэль і загатоўку ў аперацыі без выбару асноўнай геаметрыі. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Напрамак, у якім траекторыя руху інструмента павінна праходзіць вакол дэталі па гадзінніку (CW) ці супраць (CCW) @@ -5590,8 +5590,8 @@ For example: Задаць True, калі ўжываецца карэкцыя радыусу разца - + Show the temporary path construction objects when module is in DEBUG mode. Паказаць аб'екты пабудовы часовай траекторыі, калі модуль знаходзіцца ў рэжыме адладкі. @@ -5607,8 +5607,8 @@ For example: Увядзіце карыстальніцкую канчатковую кропку для траекторыі паза. - + Set the geometric clearing pattern to use for the operation. Задаць геаметрычны шаблон ачысткі, які будзе ўжывацца для аперацыі. @@ -5624,8 +5624,8 @@ For example: Станоўчае значэнне выцягвае канец траекторыі, адмоўнае - скарачае. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Завершае аперацыю за адзін праход на глыбіню, альбо за некалькі праходаў да канчатковай глыбіні. @@ -5656,8 +5656,8 @@ For example: Уключыць, каб змяніць напрамак апрацоўкі траекторыі паза ў зваротным напрамку. - + The custom start point for the path of this operation Карыстальніцкая пачатковая кропка для траекторыі выканання аперацыі @@ -6175,24 +6175,24 @@ For example: Path_Dressup - + Please select one path object Калі ласка, абярыце адзін аб'ект траекторыі - + The selected object is not a path Абраны аб'ект не з'яўляецца траекторыяй - + Please select a Path object Калі ласка, абярыце аб'ект траекторыі @@ -6349,8 +6349,8 @@ For example: Абраць файл кропкі зандзіравання - + All Files (*.*) Усе файлы (*.*) @@ -7081,14 +7081,14 @@ For example: PathProfile - + Outside Звонку - + Inside Унутры diff --git a/src/Mod/Path/Gui/Resources/translations/Path_ca.ts b/src/Mod/Path/Gui/Resources/translations/Path_ca.ts index 2ee0a6f88219..446c8abbd8b1 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_ca.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_ca.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Afegeix - - + + Remove Elimina @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Reinicia - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Controlador d'eina - - + + Coolant Refrigerant @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Atura - + - + Direction Direcció @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW Sentit horari - + CCW Sentit antihorari @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Passa al següent - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Orientació - + Type Tipus @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operació @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Radi @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Edita @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Tots els arxius (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_cs.ts b/src/Mod/Path/Gui/Resources/translations/Path_cs.ts index 025308ae6c64..7536a756e6d4 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_cs.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_cs.ts @@ -711,17 +711,17 @@ U polotovaru z ohraničujícího kvádru základního objektu to znamená příd Vymaže seznam základních geometrií - + Add Přidat - - + + Remove Odstranit @@ -776,8 +776,8 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Reset - + All objects will be processed using the same operation properties. Všechny objekty budou zpracovány pomocí stejných vlastností operace. @@ -822,32 +822,32 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Všechna místa budou zpracována za použití stejných vlastností operace. - + Start Depth Počáteční hloubka - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Počáteční hloubka operace. Nejvyšší bod v ose Z, kterou musí operace zpracovat. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Přenést hodnotu Z vybraného prvku jako počáteční hloubku operace. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Hloubka operace, která odpovídá nejnižší hodnotě v ose Z, kterou má operace zpracovat. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Přenést hodnotu Z vybraného prvku jako konečnou hloubku operace. @@ -862,14 +862,14 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Hloubka posledního řezu operace. Může být použita k dosažení kvalitnějšího povrchu. - + Final Depth Konečná hloubka - + Step Down Krok dolů @@ -909,34 +909,34 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Výška přejezdu + - - - - + + - + + The tool and its settings to be used for this operation. Nástroj a jeho nastavení pro tuto operaci. + + + - - - - + + + + - - - Coolant Mode Režimy chlazení @@ -946,28 +946,28 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v G kódy - + + + + - - + - - - + - + + - - + Tool Controller Správa nástroje - - + + Coolant Chladivo @@ -987,8 +987,8 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Typ operace - + Step Over Percent Krok procentem @@ -1038,8 +1038,8 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Dokončování profilu - + Use Outline Použít obrys @@ -1094,10 +1094,10 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Stop - + - + Direction Směr @@ -1107,15 +1107,15 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Směr, ve kterém se obrábí kontura, vpravo nebo vlevo. + - CW Pravotočivý - + CCW Levotočivý @@ -1140,8 +1140,6 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Úkosový spoj - - @@ -1151,6 +1149,8 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v + + mm mm @@ -1366,11 +1366,11 @@ Funkce Obnovit odstraní ze seznamu všechny aktuální prvky a doplní seznam v Vzor - - + + The tool and its settings to be used for this operation @@ -1471,9 +1471,9 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Přídavek materiálu - + Use Start Point Použít počáteční bod @@ -1729,9 +1729,9 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Prodloužit konec dráhy + - Layer Mode Režim vrstvy @@ -1771,8 +1771,8 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Skenovat typ - + Cut Pattern Vzor řezu @@ -1787,14 +1787,14 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Vyhnout se posledním X plochám - + Bounding Box Ohraničující kvádr - + Select the overall boundary for the operation. Vybrat celkovou hranici operace. @@ -1804,14 +1804,14 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Rovinný: Plochý, 3D sken povrchu. Rotační: rotační skenování ve 4. ose. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Dokončit operaci jedním průchodem v hloubce nebo několika průchody do konečné hloubky. - + Set the geometric clearing pattern to use for the operation. Nastavit vzor geometrického začišťování, který se má použít pro operaci. @@ -1836,14 +1836,14 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Čáry kapkového nástroje jsou vytvořeny rovnoběžně s touto osou. - + Set the Z-axis depth offset from the target surface. Nastavit hloubkový posun osy Z od cílového povrchu. - + Set the sampling resolution. Smaller values quickly increase processing time. Nastavení rozlišení vzorkování. Menší hodnoty rychle prodlužují dobu zpracování. @@ -1853,8 +1853,8 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Pokud zadáváte počáteční bod, vyberte hodnotu True - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Povolit optimalizaci lineárních drah (kolineární body). Odstraní nepotřebné kolineární body z výstupu G-kódu. @@ -1889,14 +1889,14 @@ Poslední možnost lze použít k zajištění rovnoměrných výšek celého po Ofset hloubky - + Step over Krok - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1905,14 +1905,14 @@ A step over of 100% results in no overlap between two different cycles. Krok 100 % vede k tomu, že se dva různé cykly nepřekrývají. - + Sample interval Interval vzoru - + Optimize Linear Paths Optimalizovat lineární dráhy @@ -2060,8 +2060,8 @@ Výchozí: 3 mm Orientace - + Type Typ @@ -2091,8 +2091,8 @@ Výchozí: 3 mm TPI - + Operation Operace @@ -3013,8 +3013,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Poloměr @@ -3429,8 +3429,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Simulátor dráhy @@ -4321,9 +4321,10 @@ Příklad: Již nezobrazovat - + Edit + int = field(default=None) Upravit @@ -4465,8 +4466,8 @@ Příklad: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s není objekt základního modelu úlohy %s @@ -4486,8 +4487,8 @@ Příklad: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Vyberte si úlohu cesty @@ -4591,7 +4592,6 @@ Příklad: List of custom property groups - int = field(default=None) List of custom property groups @@ -4654,12 +4654,12 @@ Příklad: - - + + The base path to modify The base path to modify @@ -4953,9 +4953,9 @@ Příklad: Sbírka všech ovladačů nástrojů pro danou úlohu - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5040,8 +5040,8 @@ Příklad: Číslo offsetu zařízení - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5061,8 +5061,8 @@ Příklad: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5238,10 +5238,10 @@ Příklad: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5355,9 +5355,9 @@ Příklad: Aplikujte odtažení G99: v této operaci se stáhněte pouze do výšky RetractHeight mezi otvory + - Additional base objects to be engraved Další základní předměty, které mají být vyryty @@ -5398,9 +5398,9 @@ Příklad: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Mimořádná hodnota pro udržení vzdálenosti od konečného profilu – dobré pro hrubování dráhy nástroje @@ -5420,9 +5420,9 @@ Příklad: Vyloučit frézování vyvýšených oblastí uvnitř čela. - - + + Choose how to process multiple Base Geometry features. Zvolte způsob zpracování více základních geometrických prvků. @@ -5443,8 +5443,8 @@ Příklad: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5551,8 +5551,8 @@ Příklad: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5568,8 +5568,8 @@ Příklad: Zadat uživatelský koncový bod pro dráhu drážky. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5585,8 +5585,8 @@ Příklad: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Dokončit operaci jedním průchodem v hloubce nebo několika průchody do konečné hloubky. @@ -5617,8 +5617,8 @@ Příklad: Povolit otočení směru řezu dráhy drážky. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6133,24 +6133,24 @@ Příklad: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6307,8 +6307,8 @@ Příklad: Select Probe Point File - + All Files (*.*) Všechny soubory (*.*) @@ -7039,14 +7039,14 @@ Příklad: PathProfile - + Outside Vně - + Inside Uvnitř diff --git a/src/Mod/Path/Gui/Resources/translations/Path_de.ts b/src/Mod/Path/Gui/Resources/translations/Path_de.ts index a98980568b6b..3498e06ea8da 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_de.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_de.ts @@ -712,17 +712,17 @@ Für das Standard Rohmaterial aus dem Begrenzungsrahmen des Basisobjekts bedeute Löscht die Liste der Basisgeometrien - + Add Hinzufügen - - + + Remove Entfernen @@ -777,8 +777,8 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Zurücksetzen - + All objects will be processed using the same operation properties. Alle Objekte werden nach den selben Operations-Eigenschaften verarbeitet. @@ -823,32 +823,32 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Alle Orte werden mit denselben Operationseigenschaften bearbeitet. - + Start Depth Starttiefe - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Starthöhe der Operation. Der höchste Punkt in der Z-Achse, den die Operation bearbeiten muss. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Übertragen Sie den Z-Wert der ausgewählten Funktion als Starthöhe für die Operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Die Tiefe der Operation, die dem niedrigsten Wert in der Z-Achse entspricht, den die Operation bearbeiten muss. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Übertragen Sie den Z-Wert der ausgewählten Funktion als Endtiefe für die Operation. @@ -863,14 +863,14 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Tiefe des letzten Schnitts der Bearbeitung. Kann verwendet werden, um eine sauberere Darstellung zu erzeugen. - + Final Depth Endtiefe - + Step Down Zustelltiefe @@ -910,34 +910,34 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Vertikaler Sicherheitsabstand Werkzeug zu Werkstück bei Zwischen- und Verbindungsfahrten + - - - - + + - + + The tool and its settings to be used for this operation. Das Werkzeug und seine Einstellungen, die für diesen Vorgang verwendet werden sollen. + + + - - - - + + + + - - - Coolant Mode Kühlmittelmodus @@ -947,28 +947,28 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all G-Gode - + + + + - - + - - - + - + + - - + Tool Controller Werkzeugsteuerung - - + + Coolant Kühlmittel @@ -988,8 +988,8 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Operationstyp - + Step Over Percent Überlappungs-Prozentsatz @@ -1039,8 +1039,8 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Feinbearbeitungsprofil - + Use Outline Kontur verwenden @@ -1095,10 +1095,10 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Stop - + - + Direction Richtung @@ -1108,15 +1108,15 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Die Richtung, in der das Profil ausgeführt wird, im oder gegen den Uhrzeigersinn. + - CW Im Uhrzeigersinn - + CCW Gegen den Uhrzeigersinn @@ -1141,8 +1141,6 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Gehrungsfuge - - @@ -1152,6 +1150,8 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all + + mm mm @@ -1367,11 +1367,11 @@ Reset löscht alle aktuellen Elemente aus der Liste und füllt die Liste mit all Muster - - + + The tool and its settings to be used for this operation @@ -1472,9 +1472,9 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Werkstoffzulassung - + Use Start Point Startpunkt verwenden @@ -1730,9 +1730,9 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Pfadende erweitern + - Layer Mode Ebenenmodus @@ -1772,8 +1772,8 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Scan-Typ - + Cut Pattern Fräsmuster @@ -1788,14 +1788,14 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Letzte X Flächen vermeiden - + Bounding Box Begrenzungsbox - + Select the overall boundary for the operation. Wählen Sie die Gesamtgrenze für die Operation. @@ -1805,14 +1805,14 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Planar: Flacher, 3D-Oberflächen-Scan. Drehbar: Drehbarer 4. ter Achs-Rotations-Scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Die Operation in einem Durchgang der ausgewählten Tiefe durchführen, oder in mehreren Durchgängen bis zur Zieltiefe. - + Set the geometric clearing pattern to use for the operation. Legen Sie das geometrische Räummuster für die Operation fest. @@ -1837,14 +1837,14 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Die Dropcutter-Linien werden parallel zu dieser Achse erstellt. - + Set the Z-axis depth offset from the target surface. Legen Sie den Z-Achsen-Tiefenversatz von der Zieloberfläche fest. - + Set the sampling resolution. Smaller values quickly increase processing time. Setzt die Auflösung der Abtastrate. Kleinere Werte erhöhen schnell die Bearbeitungszeit. @@ -1854,8 +1854,8 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Auf Wahr setzen, wenn ein Startpunkt angegeben werden soll - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Optimierung linearer Pfade aktivieren (kolineare Punkte). Entfernt unnötige kolineare Punkte aus G-Code-Ausgabe. @@ -1890,28 +1890,28 @@ Letzteres kann zur Deckung der gesamten Lagerfläche verwendet werden, um für d Tiefenversatz - + Step over Einen Schritt weiter - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. Der Betrag, um den das Werkzeug bei jedem Zyklus des Musters seitlich verschoben wird, angegeben in Prozent des Werkzeugdurchmessers. Ein Versatz von 100 % führt zu keiner Überlappung zwischen zwei verschiedenen Zyklen. - + Sample interval Messintervall - + Optimize Linear Paths Lineare Pfade optimieren @@ -2059,8 +2059,8 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Ausrichtung - + Type Typ @@ -2090,8 +2090,8 @@ Standard: "3 mm" - Das Werkzeug sollte in diesem Fall auf Verbindungsfahrten imm Gewindegänge pro Zoll (inch) - + Operation Operation @@ -3012,8 +3012,8 @@ Sollten mehrere Werkzeuge oder Werkzeugformen mit dem gleichen Namen in verschie AxisMap Aufbereitung - + Radius Radius @@ -3428,8 +3428,8 @@ Sollten mehrere Werkzeuge oder Werkzeugformen mit dem gleichen Namen in verschie TaskPathSimulator - + Path Simulator Pfad-Simulator @@ -4321,9 +4321,10 @@ Zum Beispiel: Dies nicht mehr anzeigen - + Edit + int = field(default=None) Bearbeiten @@ -4465,8 +4466,8 @@ Zum Beispiel: Der nicht-planare adaptive Start ist ebenfalls nicht verfügbar. - + %s is not a Base Model object of the job %s %s ist kein Basismodell-Objekt des Jobs %s @@ -4486,8 +4487,8 @@ Zum Beispiel: Gesamtes Modell, ausgewählte Fläche(n) oder ausgewählte Kante(n) profilieren - + Choose a Path Job Einen Path-Auftrag auswählen @@ -4591,7 +4592,6 @@ Zum Beispiel: List of custom property groups - int = field(default=None) Liste benutzerdefinierter Eigenschaftsgruppen @@ -4654,12 +4654,12 @@ Zum Beispiel: - - + + The base path to modify Zu ändernder Basispfad @@ -4953,9 +4953,9 @@ Zum Beispiel: Sammlung aller Werkzeugsteuerungen für den Auftrag - + Operations Cycle Time Estimation Abschätzung der Durchlaufzeit @@ -5040,8 +5040,8 @@ Zum Beispiel: Abstand von der Einspannung - + Make False, to prevent operation from generating code Abwählen, damit die Aktion keinen Code generiert @@ -5061,8 +5061,8 @@ Zum Beispiel: Beeinflusst Genauigkeit und Leistung - + Percent of cutter diameter to step over on each pass Prozentsatz des Fräserdurchmessers, der bei jedem Durchgangzugestellt wird @@ -5238,10 +5238,10 @@ Zum Beispiel: Der Startpunkt dieses Pfades - - + + Make True, if specifying a Start Point Auf Wahr setzen, wenn ein Startpunkt angegeben werden soll @@ -5355,9 +5355,9 @@ Zum Beispiel: G99 Rückzug anwenden: Rückzug nur auf RetractHeight zwischen Löchern in dieser Operation + - Additional base objects to be engraved Zusätzliche Basisobjekte, die graviert werden sollen @@ -5398,9 +5398,9 @@ Zum Beispiel: Startradius + - Extra value to stay away from final profile- good for roughing toolpath Aufmaß zum Endprofil - Geeignet für Schruppbearbeitungen @@ -5420,9 +5420,9 @@ Zum Beispiel: Fräsen von erhöhten Bereichen innerhalb der Fläche ausschließen. - - + + Choose how to process multiple Base Geometry features. Wählen Sie, wie mehrere Basisgeometrie Feautures verarbeitet werden sollen. @@ -5443,8 +5443,8 @@ Zum Beispiel: Verarbeite Modell und Rohmaterial in einer Operation, bei der keine Basisgeometrie ausgewählt wurde. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Die Richtung, in der der Werkzeugweg um das Teil herumgeführt werden soll, im Uhrzeigersinn (CW) oder gegen den Uhrzeigersinn (CCW) @@ -5551,8 +5551,8 @@ Zum Beispiel: Aktivieren, falls die Fräsradiuskompensation verwendet wird - + Show the temporary path construction objects when module is in DEBUG mode. Temporäre Wegkonstruktionsobjekte anzeigen, wenn sich das Modul im FEHLERSUCH-Modus befindet. @@ -5568,8 +5568,8 @@ Zum Beispiel: Gib den benutzerdefinierten Endpunkt für die Nut ein. - + Set the geometric clearing pattern to use for the operation. Legen Sie das geometrische Räummuster für die Operation fest. @@ -5585,8 +5585,8 @@ Zum Beispiel: Positiv erweitert das Ende des Pfades, negativ verkürzt ihn. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Die Operation in einem Durchgang der ausgewählten Tiefe durchführen, oder in mehreren Durchgängen bis zur Zieltiefe. @@ -5617,8 +5617,8 @@ Zum Beispiel: Aktivieren, um die Fräsrichtung der Nut umzukehren. - + The custom start point for the path of this operation Der benutzerdefinierte Startpunkt für den Pfad dieser Operation @@ -6132,24 +6132,24 @@ Zum Beispiel: Path_Dressup - + Please select one path object Bitte einen einzelnen Pfad auswählen - + The selected object is not a path Das ausgewählte Objekt ist kein Pfad - + Please select a Path object Bitte wählen Sie ein Pfad-Objekt aus @@ -6306,8 +6306,8 @@ Zum Beispiel: Sondierungspunkedatei wählen - + All Files (*.*) Alle Dateien (*.*) @@ -7038,14 +7038,14 @@ Zum Beispiel: PathProfile - + Outside Außen - + Inside Innen diff --git a/src/Mod/Path/Gui/Resources/translations/Path_el.ts b/src/Mod/Path/Gui/Resources/translations/Path_el.ts index 19c3ce3db7dc..7daa42ce289c 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_el.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_el.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Προσθήκη - - + + Remove Αφαίρεση @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Επαναφορά - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Ελεγκτής Εργαλείων - - + + Coolant Coolant @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Τύπος Λειτουργίας - + Step Over Percent Βήμα Άνω του Ποσοστού @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Ολοκλήρωση Προφίλ - + Use Outline Χρήση Περιγράμματος @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Διακοπή - + - + Direction Κατεύθυνση @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm χιλιοστά @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Μοτίβο - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Πλαίσιο Οριοθέτησης - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Υπέρθεση - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Προσανατολισμός - + Type Τύπος @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Ακτίνα @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Επεξεργασία @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Όλα τα αρχεία (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_es-AR.ts b/src/Mod/Path/Gui/Resources/translations/Path_es-AR.ts index 0cdf7be32bd4..cf2f028456d6 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_es-AR.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_es-AR.ts @@ -713,17 +713,17 @@ Para material a partir de la caja delimitadora del objeto Base, significa el mat Limpia la lista de geometrías base - + Add Agregar - - + + Remove Eliminar @@ -778,8 +778,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Reiniciar - + All objects will be processed using the same operation properties. Todos los objetos serán procesados usando las mismas propiedades de operación. @@ -824,32 +824,32 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Todas las ubicaciones serán procesadas usando las mismas propiedades de operación. - + Start Depth Profundidad de Inicio - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Profundidad de Inicio de la operación. El punto más alto en el eje Z que la operación debe procesar. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transferir el valor Z de la característica seleccionada como la Profundidad de Inicio para la operación. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. La profundidad de la operación que corresponde al valor más bajo del eje Z que la operación debe procesar. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transferir el valor Z de la característica seleccionada como la Profundidad Final de la operación. @@ -864,14 +864,14 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Profundidad del corte final de la operación. Se puede utilizar para producir un acabado más limpio. - + Final Depth Profundidad Final - + Step Down Bajar @@ -911,34 +911,34 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Altura libre + - - - - + + - + + The tool and its settings to be used for this operation. La herramienta y sus ajustes que se usarán para esta operación. + + + - - - - + + + + - - - Coolant Mode Modo Refrigerante @@ -948,28 +948,28 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co G-Code - + + + + - - + - - - + - + + - - + Tool Controller Controlador de herramienta - - + + Coolant Refrigerante @@ -989,8 +989,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Tipo de operación - + Step Over Percent Porcentaje de Paso @@ -1040,8 +1040,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Finalizando perfil - + Use Outline Usar Contorno @@ -1096,10 +1096,10 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Parar - + - + Direction Sentido @@ -1109,15 +1109,15 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co La dirección en la que se realiza el perfil, en el sentido de las agujas del reloj o en sentido antihorario. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Junta de inglete - - @@ -1153,6 +1151,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co + + mm mm @@ -1368,11 +1368,11 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Patrón - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Permisividad del Material - + Use Start Point Usar Punto Inicial @@ -1731,9 +1731,9 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Extender Ruta Final + - Layer Mode Modo de Capa @@ -1773,8 +1773,8 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Tipo de Escaneo - + Cut Pattern Patrón de corte @@ -1789,14 +1789,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Evitar Últimas X Caras - + Bounding Box Cuadro Delimitador - + Select the overall boundary for the operation. Seleccione el límite general para la operación. @@ -1806,14 +1806,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Planar: plano, escaneo de superficie 3D. Rotacional: Escaneo rotacional del 4º eje. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Completa la operación en una sola pasada a profundidad, o en múltiples pasadas hasta la profundidad final. - + Set the geometric clearing pattern to use for the operation. Establece el patrón de limpieza geométrica para usar en la operación. @@ -1838,14 +1838,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Las líneas de corte se crean paralelas a este eje. - + Set the Z-axis depth offset from the target surface. Define el desplazamiento de profundidad del eje Z desde la superficie objetivo. - + Set the sampling resolution. Smaller values quickly increase processing time. Establece la resolución de muestreo. Los valores más pequeños aumentan rápidamente el tiempo de procesamiento. @@ -1855,8 +1855,8 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Marcar como verdadero, si se especifica un punto inicial - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Habilitar la optimización de trayectorias lineales (puntos colineales). Elimina puntos colineales innecesarios a partir del código de salida. @@ -1891,14 +1891,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Desplazamiento de profundidad - + Step over Pasar al siguiente - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. Un paso por encima del 100% da como resultado que no haya superposición entre dos ciclos diferentes. - + Sample interval Intervalo de Muestra - + Optimize Linear Paths Optimizar Rutas Lineales @@ -2062,8 +2062,8 @@ Por defecto: 3 mm Orientación - + Type Tipo @@ -2093,8 +2093,8 @@ Por defecto: 3 mm TPI - + Operation Operación @@ -3015,8 +3015,8 @@ Si existen múltiples herramientas o formas de herramientas con el mismo nombre Revestido de EjesMapa - + Radius Radio @@ -3431,8 +3431,8 @@ Si existen múltiples herramientas o formas de herramientas con el mismo nombre TaskPathSimulator - + Path Simulator Simulador de Ruta @@ -4319,9 +4319,10 @@ Por ejemplo: No mostrar más - + Edit + int = field(default=None) Editar @@ -4463,8 +4464,8 @@ Por ejemplo: El inicio adaptativo no-planar tampoco está disponible. - + %s is not a Base Model object of the job %s %s no es un objeto de modelo base del trabajo %s @@ -4484,8 +4485,8 @@ Por ejemplo: Perfilar el modelo completo, la(s) cara(s) seleccionada(s) o el/los borde(s) seleccionado(s) - + Choose a Path Job Elegir una Ruta de Trabajo @@ -4589,7 +4590,6 @@ Por ejemplo: List of custom property groups - int = field(default=None) Lista de grupos de propiedades personalizados @@ -4652,12 +4652,12 @@ Por ejemplo: - - + + The base path to modify La trayectoria base a modificar @@ -4951,9 +4951,9 @@ Por ejemplo: Colección de todos los controladores de herramientas para el trabajo - + Operations Cycle Time Estimation Estimación del tiempo del ciclo de operaciones @@ -5038,8 +5038,8 @@ Por ejemplo: Número de desfase de la fijación - + Make False, to prevent operation from generating code Marcar como falso, para evitar que la operación genere código @@ -5059,8 +5059,8 @@ Por ejemplo: Precisión y rendimiento de influencias - + Percent of cutter diameter to step over on each pass Porcentaje de diámetro de corte a escalar en cada pasada @@ -5236,10 +5236,10 @@ Por ejemplo: Punto de partida de esta trayectoria - - + + Make True, if specifying a Start Point Marcar como verdadero, si se especifica un punto inicial @@ -5353,9 +5353,9 @@ Por ejemplo: Aplicación de retracción G99: retraer el valor de altura de retracción solo entre los agujeros de la operación + - Additional base objects to be engraved Objetos base adicionales para ser grabados @@ -5396,9 +5396,9 @@ Por ejemplo: Radio inicial + - Extra value to stay away from final profile- good for roughing toolpath Valor adicional que lo mantiene alejado del perfil de cierre: bueno para el movimiento de la herramienta de desbaste @@ -5418,9 +5418,9 @@ Por ejemplo: Excluir las zonas de fresado ascendente dentro de la cara. - - + + Choose how to process multiple Base Geometry features. Elija cómo procesar múltiples características de Geometría Base. @@ -5441,8 +5441,8 @@ Por ejemplo: Procese el modelo y el stock en una operación sin geometría base seleccionada. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) La dirección en la que la trayectoria de herramienta debe ir alrededor de la pieza sentido horario (CW) o sentido antihorario (CCW) @@ -5549,8 +5549,8 @@ Por ejemplo: Hacer verdadero, si se utiliza la compensación de radio de corte - + Show the temporary path construction objects when module is in DEBUG mode. Mostrar los objetos temporales de construcción de trayectorias cuando el módulo está en modo DEBUG. @@ -5566,8 +5566,8 @@ Por ejemplo: Introduzca el punto final personalizado para la trayectoria del hueco. - + Set the geometric clearing pattern to use for the operation. Establece el patrón de limpieza geométrica para usar en la operación. @@ -5583,8 +5583,8 @@ Por ejemplo: Un valor positivo extiende el final de la trayectoria, un valor negativo la acorta. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Completa la operación en una sola pasada a profundidad, o en múltiples pasadas hasta la profundidad final. @@ -5615,8 +5615,8 @@ Por ejemplo: Activar para invertir la dirección de corte de la trayectoria de la ranura. - + The custom start point for the path of this operation El punto de inicio personalizado para la trayectoria de esta operación @@ -6131,24 +6131,24 @@ Por ejemplo: Path_Dressup - + Please select one path object Por favor seleccione un objeto de trayectoria - + The selected object is not a path El objeto seleccionado no es una trayectoria - + Please select a Path object Por favor seleccione un objeto de trayectoria @@ -6305,8 +6305,8 @@ Por ejemplo: Seleccionar archivo de punto de sonda - + All Files (*.*) Todos los archivos (*.*) @@ -7037,14 +7037,14 @@ Por ejemplo: PathProfile - + Outside Fuera - + Inside Interior diff --git a/src/Mod/Path/Gui/Resources/translations/Path_es-ES.ts b/src/Mod/Path/Gui/Resources/translations/Path_es-ES.ts index c4aa83950733..fff2716ed922 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_es-ES.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_es-ES.ts @@ -713,17 +713,17 @@ Para material a partir de la caja delimitadora del objeto Base, significa el mat Limpia la lista de geometrías base - + Add Añadir - - + + Remove Quitar @@ -778,8 +778,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Reiniciar - + All objects will be processed using the same operation properties. Todos los objetos serán procesados usando las mismas propiedades de operación. @@ -824,32 +824,32 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Todas las ubicaciones serán procesadas usando las mismas propiedades de operación. - + Start Depth Profundidad de Inicio - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Profundidad de Inicio de la operación. El punto más alto en el eje Z que la operación debe procesar. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transferir el valor Z de la característica seleccionada como la Profundidad de Inicio para la operación. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. La profundidad de la operación que corresponde al valor más bajo del eje Z que la operación debe procesar. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transferir el valor Z de la característica seleccionada como la Profundidad Final de la operación. @@ -864,14 +864,14 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Profundidad del corte final de la operación. Se puede utilizar para producir un acabado más limpio. - + Final Depth Profundidad Final - + Step Down Bajar @@ -911,34 +911,34 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Altura libre + - - - - + + - + + The tool and its settings to be used for this operation. La herramienta y sus ajustes que se usarán para esta operación. + + + - - - - + + + + - - - Coolant Mode Modo Refrigerante @@ -948,28 +948,28 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co G-Code - + + + + - - + - - - + - + + - - + Tool Controller Controlador de herramienta - - + + Coolant Refrigerante @@ -989,8 +989,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Tipo de operación - + Step Over Percent Porcentaje de Paso @@ -1040,8 +1040,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Finalizando perfil - + Use Outline Usar Contorno @@ -1096,10 +1096,10 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Parar - + - + Direction Dirección @@ -1109,15 +1109,15 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co La dirección en la que se realiza el perfil, en el sentido de las agujas del reloj o en sentido antihorario. + - CW CW - + CCW Sentido antihorario @@ -1142,8 +1142,6 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Junta de inglete - - @@ -1153,6 +1151,8 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co + + mm mm @@ -1368,11 +1368,11 @@ Restablecer elimina todos los elementos actuales de la lista y llena la lista co Patrón - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Permisividad del Material - + Use Start Point Usar Punto Inicial @@ -1731,9 +1731,9 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Extender Ruta Final + - Layer Mode Modo de Capa @@ -1773,8 +1773,8 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Tipo de Escaneo - + Cut Pattern Patrón de corte @@ -1789,14 +1789,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Evitar Últimas X Caras - + Bounding Box Cuadro Delimitador - + Select the overall boundary for the operation. Seleccione el límite general para la operación. @@ -1806,14 +1806,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Planar: plano, escaneo de superficie 3D. Rotacional: Escaneo rotacional del 4º eje. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Completa la operación en una sola pasada a profundidad, o en múltiples pasadas hasta la profundidad final. - + Set the geometric clearing pattern to use for the operation. Establece el patrón de limpieza geométrica para usar en la operación. @@ -1838,14 +1838,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Las líneas de corte se crean paralelas a este eje. - + Set the Z-axis depth offset from the target surface. Define el desplazamiento de profundidad del eje Z desde la superficie objetivo. - + Set the sampling resolution. Smaller values quickly increase processing time. Establece la resolución de muestreo. Los valores más pequeños aumentan rápidamente el tiempo de procesamiento. @@ -1855,8 +1855,8 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Marcar como verdadero, si se especifica un punto inicial - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Habilitar la optimización de trayectorias lineales (puntos colineales). Elimina puntos colineales innecesarios a partir del código de salida. @@ -1891,14 +1891,14 @@ Este último se puede utilizar para hacer frente a todo el área de stock para a Desplazamiento de profundidad - + Step over Pasar al siguiente - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. Un paso por encima del 100% da como resultado que no haya superposición entre dos ciclos diferentes. - + Sample interval Intervalo de Muestra - + Optimize Linear Paths Optimizar Rutas Lineales @@ -2062,8 +2062,8 @@ Por defecto: 3 mm Orientación - + Type Tipo @@ -2093,8 +2093,8 @@ Por defecto: 3 mm TPI - + Operation Operación @@ -3015,8 +3015,8 @@ Si existen múltiples herramientas o formas de herramientas con el mismo nombre Revestido de EjesMapa - + Radius Radio @@ -3431,8 +3431,8 @@ Si existen múltiples herramientas o formas de herramientas con el mismo nombre TaskPathSimulator - + Path Simulator Simulador de Ruta @@ -4319,9 +4319,10 @@ Por ejemplo: No mostrar más - + Edit + int = field(default=None) Editar @@ -4463,8 +4464,8 @@ Por ejemplo: El inicio adaptativo no-planar tampoco está disponible. - + %s is not a Base Model object of the job %s %s no es un objeto de modelo base del trabajo %s @@ -4484,8 +4485,8 @@ Por ejemplo: Perfilar el modelo completo, la(s) cara(s) seleccionada(s) o el/los borde(s) seleccionado(s) - + Choose a Path Job Elegir una Ruta de Trabajo @@ -4589,7 +4590,6 @@ Por ejemplo: List of custom property groups - int = field(default=None) Lista de grupos de propiedades personalizados @@ -4652,12 +4652,12 @@ Por ejemplo: - - + + The base path to modify La trayectoria base a modificar @@ -4951,9 +4951,9 @@ Por ejemplo: Colección de todos los controladores de herramientas para el trabajo - + Operations Cycle Time Estimation Estimación del tiempo del ciclo de operaciones @@ -5038,8 +5038,8 @@ Por ejemplo: Número de desfase de la fijación - + Make False, to prevent operation from generating code Marcar como falso, para evitar que la operación genere código @@ -5059,8 +5059,8 @@ Por ejemplo: Precisión y rendimiento de influencias - + Percent of cutter diameter to step over on each pass Porcentaje de diámetro de corte a escalar en cada pasada @@ -5236,10 +5236,10 @@ Por ejemplo: Punto de partida de esta trayectoria - - + + Make True, if specifying a Start Point Marcar como verdadero, si se especifica un punto inicial @@ -5353,9 +5353,9 @@ Por ejemplo: Aplicación de retracción G99: retraer el valor de altura de retracción solo entre los agujeros de la operación + - Additional base objects to be engraved Objetos base adicionales para ser grabados @@ -5396,9 +5396,9 @@ Por ejemplo: Radio inicial + - Extra value to stay away from final profile- good for roughing toolpath Valor adicional que lo mantiene alejado del perfil de cierre: bueno para el movimiento de la herramienta de desbaste @@ -5418,9 +5418,9 @@ Por ejemplo: Excluir las zonas de fresado ascendente dentro de la cara. - - + + Choose how to process multiple Base Geometry features. Elija cómo procesar múltiples características de Geometría Base. @@ -5441,8 +5441,8 @@ Por ejemplo: Procese el modelo y el stock en una operación sin geometría base seleccionada. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) La dirección en la que la trayectoria de herramienta debe ir alrededor de la pieza sentido horario (CW) o sentido antihorario (CCW) @@ -5549,8 +5549,8 @@ Por ejemplo: Hacer verdadero, si se utiliza la compensación de radio de corte - + Show the temporary path construction objects when module is in DEBUG mode. Mostrar los objetos temporales de construcción de trayectorias cuando el módulo está en modo DEBUG. @@ -5566,8 +5566,8 @@ Por ejemplo: Introduzca el punto final personalizado para la trayectoria del hueco. - + Set the geometric clearing pattern to use for the operation. Establece el patrón de limpieza geométrica para usar en la operación. @@ -5583,8 +5583,8 @@ Por ejemplo: Un valor positivo extiende el final de la trayectoria, un valor negativo la acorta. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Completa la operación en una sola pasada a profundidad, o en múltiples pasadas hasta la profundidad final. @@ -5615,8 +5615,8 @@ Por ejemplo: Activar para invertir la dirección de corte de la trayectoria de la ranura. - + The custom start point for the path of this operation El punto de inicio personalizado para la trayectoria de esta operación @@ -6131,24 +6131,24 @@ Por ejemplo: Path_Dressup - + Please select one path object Por favor seleccione un objeto de trayectoria - + The selected object is not a path El objeto seleccionado no es una trayectoria - + Please select a Path object Por favor seleccione un objeto de trayectoria @@ -6305,8 +6305,8 @@ Por ejemplo: Seleccionar archivo de punto de sonda - + All Files (*.*) Todos los archivos (*.*) @@ -7037,14 +7037,14 @@ Por ejemplo: PathProfile - + Outside Fuera - + Inside Interior diff --git a/src/Mod/Path/Gui/Resources/translations/Path_eu.ts b/src/Mod/Path/Gui/Resources/translations/Path_eu.ts index d5e9b80c7856..b95671fa1fdc 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_eu.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_eu.ts @@ -713,17 +713,17 @@ Oinarri-objektuaren muga-kutxatik eratorritako piezari dagokionez, esan nahi du Oinarri-geometrien zerrenda garbitzen du - + Add Gehitu - - + + Remove Kendu @@ -778,8 +778,8 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Berrezarri - + All objects will be processed using the same operation properties. Objektu guztiak eragiketa-propietate berak erabilita prozesatuko dira. @@ -824,32 +824,32 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Kokapen guztiak eragiketa-propietate berak erabilita prozesatuko dira. - + Start Depth Hasierako sakonera - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Eragiketaren hasierako sakonera. Eragiketak Z ardatzean prozesatu behar duen punturik altuena. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transferitu hautatutako elementuaren Z balioa eragiketaren hasierako sakonerara. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Eragiketaren sakonera, eragiketak Z ardatzean prozesatu behar duen punturik baxuenari dagokiona. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transferitu hautatutako elementuaren Z balioa eragiketaren amaierako sakonerara. @@ -864,14 +864,14 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Eragiketaren azken moztearen sakonera. Amaiera garbiagoa sortzeko erabili daiteke. - + Final Depth Amaierako sakonera - + Step Down Beheratzea @@ -911,34 +911,34 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Altuera librea + - - - - + + - + + The tool and its settings to be used for this operation. Eragiketa honetan erabiliko den tresna eta bere ezarpenak. + + + - - - - + + + + - - - Coolant Mode Hozgarri-modua @@ -948,28 +948,28 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E G Gode - + + + + - - + - - - + - + + - - + Tool Controller Tresna-kontrolagailua - - + + Coolant Hozgarria @@ -989,8 +989,8 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Eragiketa mota - + Step Over Percent Gainditze-ehunekoa @@ -1040,8 +1040,8 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Amaierako profila - + Use Outline Erabili eskema @@ -1096,10 +1096,10 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Gelditu - + - + Direction Norabidea @@ -1109,15 +1109,15 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Profila sortzeko erabiliko den den norabidea, erloju-orratzen noranzkoan edo aurka. + - CW erlojuaren noranzkoan - + CCW erlojuaren noranzkoaren aurka @@ -1142,8 +1142,6 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Elkargune zorrotza - - @@ -1153,6 +1151,8 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E + + mm mm @@ -1368,11 +1368,11 @@ Prozesatuko diren elementuak gehitzeko, hautatu elementua eta sakatu 'Gehitu'. E Eredua - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Material-perdoia - + Use Start Point Erabili hasiera-puntua @@ -1731,9 +1731,9 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Luzatu bidearen amaiera + - Layer Mode Geruza-modua @@ -1773,8 +1773,8 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Eskaneatze mota - + Cut Pattern Mozte-eredua @@ -1789,14 +1789,14 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Saihestu azken X aurpegiak - + Bounding Box Muga-kutxa - + Select the overall boundary for the operation. Hautatu eragiketarako muga orokorra. @@ -1806,14 +1806,14 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Planarra: Laua, 3D gainazal eskaneatzea. Birakaria: 4. ardatzeko eskaneatze birakaria. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Osatu eragiketa pasaldi bakarrean sakoneran, edo pasaldi anitzetan azken sakoneraraino. - + Set the geometric clearing pattern to use for the operation. Ezarri eragiketarako erabiliko den garbitze geometrikoko eredua. @@ -1838,14 +1838,14 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Erortze-ebakigailuaren lerroak ardatz honen paraleloan sortzen dira. - + Set the Z-axis depth offset from the target surface. Ezarri Z ardatzeko sakonera-desplazamendua helburuko gainazaletik. - + Set the sampling resolution. Smaller values quickly increase processing time. Ezarri laginketa-bereizmena. Balio txikiagoak prozesatze-denbora asko handitzen dute. @@ -1855,8 +1855,8 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Markatu 'Egia', hasierako puntu bat adieraziko bada - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Gaitu bide linealen optimizazioa (puntu lerrokideak). Beharrezkoak ez diren puntu lerrokideak kentzen ditu G-code irteeratik. @@ -1891,14 +1891,14 @@ Azken aukera pieza gordinaren area osoaren aurpegirako erabili daiteke, hurrengo Sakoneraren desplazamendua - + Step over Urrats bat aurrera - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. Gainditzea % 100ekoa bada, ez da gainjartzerik egongo zikloen artean. - + Sample interval Lagin-tartea - + Optimize Linear Paths Optimizatu bide linealak @@ -2062,8 +2062,8 @@ Balio lehenetsia: 3 mm Orientazioa - + Type Mota @@ -2093,8 +2093,8 @@ Balio lehenetsia: 3 mm TPI - + Operation Eragiketa @@ -3015,8 +3015,8 @@ Izen bera duten tresna edo tresna-forma anitz badaude direktorio desberdinetan, Ardatz-maparen jantzia - + Radius Erradioa @@ -3431,8 +3431,8 @@ Izen bera duten tresna edo tresna-forma anitz badaude direktorio desberdinetan, TaskPathSimulator - + Path Simulator Bide-simulatzailea @@ -4322,9 +4322,10 @@ For example: Ez erakutsi berriro - + Edit + int = field(default=None) Editatu @@ -4466,8 +4467,8 @@ For example: Hasiera moldakor ez planarra ere ez dago erabilgarri. - + %s is not a Base Model object of the job %s %s ez da oinarri-ereduen objektua %s lanerako @@ -4487,8 +4488,8 @@ For example: Profilatu eredu osoa, aurpegi hautatua(k) edo ertz hautatua(k) - + Choose a Path Job Aukeratu bide-lan bat @@ -4592,7 +4593,6 @@ For example: List of custom property groups - int = field(default=None) Propietate-talde pertsonalizatuen zerrenda @@ -4655,12 +4655,12 @@ For example: - - + + The base path to modify Aldatuko den oinarri-bidea @@ -4954,9 +4954,9 @@ For example: Lanerako tresna-kontrolagailu guztien bilduma - + Operations Cycle Time Estimation Eragiketen ziklo-denboraren kalkulua @@ -5041,8 +5041,8 @@ For example: Finkapen-desplazamenduen kopurua - + Make False, to prevent operation from generating code Markatu 'Faltsua', eragiketak koderik sortu dezan saihestu nahi baduzu @@ -5062,8 +5062,8 @@ For example: Zehaztasunean eta errendimenduan eragina du - + Percent of cutter diameter to step over on each pass Igaroaldi bakoitzean ebakigailu-diametroaren zein ehuneko gainditu behar den @@ -5239,10 +5239,10 @@ For example: Bide honen hasiera-puntua - - + + Make True, if specifying a Start Point Markatu 'Egia', hasierako puntu bat adieraziko bada @@ -5356,9 +5356,9 @@ For example: Aplikatu G99 atzeratzea: eragiketa honetan, zuloen arteko atzeratze-altueraraino soilik atzeratu + - Additional base objects to be engraved Grabatuko diren oinarri-objektu gehigarriak @@ -5399,9 +5399,9 @@ For example: Hasierako erradioa + - Extra value to stay away from final profile- good for roughing toolpath Amaierako profiletik aldentzeko balio gehigarria - ona arbastatzeko tresna-bidearentzako @@ -5421,9 +5421,9 @@ For example: Baztertu aurpegi barruan igotako areak. - - + + Choose how to process multiple Base Geometry features. Aukeratu nola prozesatuko diren oinarri-geometriako elementu anitz. @@ -5444,8 +5444,8 @@ For example: Prozesatu eredua eta pieza oinarri-geometriarik hautatuta ez duen eragiketa batean. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Tresna-bideak piezaren inguruan izan behar duen norabidea: erlojuaren noranzkoan (CW), edo aurka (CCW) @@ -5552,8 +5552,8 @@ For example: Markatu 'Egia', ebakigailuaren erradio-konpentsazioa erabili nahi bada - + Show the temporary path construction objects when module is in DEBUG mode. Erakutsi aldi baterako bide-eraikuntzaren objektuak modulua ARAZKETA moduan dagoenean. @@ -5569,8 +5569,8 @@ For example: Sartu amaiera-puntu pertsonalizatua arteka-biderako. - + Set the geometric clearing pattern to use for the operation. Ezarri eragiketarako erabiliko den garbitze geometrikoko eredua. @@ -5586,8 +5586,8 @@ For example: Balio positiboak bidearen amaiera luzatzen du, negatiboak laburtu egiten du. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Osatu eragiketa pasaldi bakarrean sakoneran, edo pasaldi anitzetan azken sakoneraraino. @@ -5618,8 +5618,8 @@ For example: Gaitu arteka-bidearen mozte-norabidea alderantzikatzea. - + The custom start point for the path of this operation Eragiketa honen bidearen hasiera-puntu pertsonalizatua @@ -6134,24 +6134,24 @@ For example: Path_Dressup - + Please select one path object Hautatu bide-objektu bat - + The selected object is not a path Hautatutako objektua ez da bide bat - + Please select a Path object Hautatu bide-objektu bat @@ -6308,8 +6308,8 @@ For example: Hautatu haztatze-puntuen fitxategia - + All Files (*.*) Fitxategi guztiak (*.*) @@ -7039,14 +7039,14 @@ For example: PathProfile - + Outside Kanpoan - + Inside Barruan diff --git a/src/Mod/Path/Gui/Resources/translations/Path_fi.ts b/src/Mod/Path/Gui/Resources/translations/Path_fi.ts index 93c30b4034a5..38c93efde9b0 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_fi.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_fi.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Lisää - - + + Remove Poista @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Palauta - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant Coolant @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Pysäytä - + - + Direction Suunta @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Askella yli - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Suunta - + Type Tyyppi @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Säde @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Muokkaa @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Kaikki tiedostot (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_fr.ts b/src/Mod/Path/Gui/Resources/translations/Path_fr.ts index c22a4027a186..98066d30500b 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_fr.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_fr.ts @@ -713,17 +713,17 @@ Pour le brut provenant de la boîte englobante de l'objet de base, il s'agit du Effacer la liste des géométries de base - + Add Ajouter - - + + Remove Supprimer @@ -778,8 +778,8 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Réinitialiser - + All objects will be processed using the same operation properties. Tous les objets seront traités en utilisant les mêmes propriétés. @@ -824,32 +824,32 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Toutes les positions seront traitées en utilisant les mêmes propriétés d'opération. - + Start Depth Profondeur de départ - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Profondeur de départ de l'opération. Le point le plus élevé de l'axe Z que l'opération doit traiter. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Utiliser la valeur Z de l'élément sélectionné comme profondeur de départ pour l'opération. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. La profondeur de l'opération qui correspond à la valeur la plus basse selon l'axe Z que l'opération doit traiter. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Utiliser la valeur Z de l'élément sélectionné comme profondeur finale pour l'opération. @@ -864,14 +864,14 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Profondeur de la dernière coupe de l'opération. Peut être utilisé pour produire une finition plus propre. - + Final Depth Profondeur finale - + Step Down Pas de descente @@ -911,34 +911,34 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Hauteur de dégagement + - - - - + + - + + The tool and its settings to be used for this operation. L'outil et ses paramètres à utiliser pour cette opération. + + + - - - - + + + + - - - Coolant Mode Mode de refroidissement @@ -948,28 +948,28 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l G Gode - + + + + - - + - - - + - + + - - + Tool Controller Contrôleur d'outil - - + + Coolant Liquide de refroidissement @@ -989,8 +989,8 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Type d'opération - + Step Over Percent Pourcentage de recouvrement @@ -1040,8 +1040,8 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Profil de finition - + Use Outline Utiliser le contour @@ -1096,10 +1096,10 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Arrêter - + - + Direction Direction @@ -1109,15 +1109,15 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Le sens dans lequel le profil est effectué, sens des aiguilles d'une montre ou sens inverse. + - CW Sens horaire - + CCW dans le sens contraire des aiguilles d'une montre @@ -1142,8 +1142,6 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Joint onglet - - @@ -1153,6 +1151,8 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l + + mm mm @@ -1368,11 +1368,11 @@ Réinitialiser supprime tous les éléments en cours de la liste et remplit la l Motif - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ Ce dernier peut être utilisé pour surfacer l'ensemble de la zone du brut afin Allocation de matériau - + Use Start Point Utiliser le point de départ @@ -1732,9 +1732,9 @@ La direction du décalage est déterminée par le côté de la coupe.Prolonger la fin du parcours + - Layer Mode Mode couche @@ -1774,8 +1774,8 @@ La direction du décalage est déterminée par le côté de la coupe.Type de scan - + Cut Pattern Découpez le motif @@ -1790,14 +1790,14 @@ La direction du décalage est déterminée par le côté de la coupe.Éviter les X dernières faces - + Bounding Box Boîte englobante - + Select the overall boundary for the operation. Sélectionner la limite globale pour l’opération. @@ -1807,14 +1807,14 @@ La direction du décalage est déterminée par le côté de la coupe.Planaire : balayage surfacique plat et 3D. Rotationnel : balayage rotatif sur le 4ème axe. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Terminer l’opération en une seule passe à la profondeur ou en plusieurs passes jusqu’à la profondeur finale. - + Set the geometric clearing pattern to use for the operation. Définir le motif de détourage géométrique à utiliser pour l'opération. @@ -1839,14 +1839,14 @@ La direction du décalage est déterminée par le côté de la coupe.Des lignes de découpe sont créées parallèlement à cet axe. - + Set the Z-axis depth offset from the target surface. Définir le décalage en profondeur de l'axe Z par rapport à la surface cible. - + Set the sampling resolution. Smaller values quickly increase processing time. Définir la résolution d'échantillonnage. Des valeurs plus petites augmentent rapidement le temps de traitement. @@ -1856,8 +1856,8 @@ La direction du décalage est déterminée par le côté de la coupe.Mettre à vrai si l'on spécifie un point de départ - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Activer l'optimisation des parcours linéaires (points colinéaires). Supprime les points colinéaires inutiles de la sortie G-code. @@ -1892,14 +1892,14 @@ La direction du décalage est déterminée par le côté de la coupe.Déport de profondeur - + Step over Passer outre - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1908,14 +1908,14 @@ A step over of 100% results in no overlap between two different cycles. Un recouvrement de 100% n'entraîne aucun chevauchement entre deux cycles différents. - + Sample interval Intervalle d'échantillonnage - + Optimize Linear Paths Optimiser les parcours linéaires @@ -2063,8 +2063,8 @@ Par défaut : 3 mm Orientation - + Type Type @@ -2094,8 +2094,8 @@ Par défaut : 3 mm TPI - + Operation Opération @@ -3015,8 +3015,8 @@ Généralement, il est recommandé d'utiliser des chemins relatifs en raison de Finition de l'assigner de l'axe - + Radius Rayon @@ -3431,8 +3431,8 @@ Généralement, il est recommandé d'utiliser des chemins relatifs en raison de TaskPathSimulator - + Path Simulator Simulateur de parcours @@ -4319,9 +4319,10 @@ Par exemple : Ne plus afficher ceci dorénavant - + Edit + int = field(default=None) Éditer @@ -4463,8 +4464,8 @@ Par exemple : Le démarrage adaptatif non-planaire est également indisponible. - + %s is not a Base Model object of the job %s %s n’est pas un objet Modèle de base de la tâche %s @@ -4484,8 +4485,8 @@ Par exemple : Opération de contournage sur l'intégralité du modèle, d'une/des face(s) sélectionnée(s) ou d'une/des arête(s) sélectionnée(s) - + Choose a Path Job Choisir une tâche Path @@ -4589,7 +4590,6 @@ Par exemple : List of custom property groups - int = field(default=None) Liste des groupes de propriétés personnalisées @@ -4652,12 +4652,12 @@ Par exemple : - - + + The base path to modify Le parcours de base à modifier @@ -4951,9 +4951,9 @@ Par exemple : Liste de tous les contrôleurs d'outils pour la tâche - + Operations Cycle Time Estimation Estimation du temps de cycle des opérations @@ -5038,8 +5038,8 @@ Par exemple : Nombre de décalages des fixations - + Make False, to prevent operation from generating code Mettre à faux pour empêcher l'opération de générer du code @@ -5059,8 +5059,8 @@ Par exemple : Influence sur la précision et les performances - + Percent of cutter diameter to step over on each pass Pourcentage du diamètre de l'outil de coupe à recouvrir à chaque passe @@ -5236,10 +5236,10 @@ Par exemple : Le point de départ de cette trajectoire - - + + Make True, if specifying a Start Point Mettre à vrai si l'on spécifie un point de départ @@ -5353,9 +5353,9 @@ Par exemple : Appliquer la rétraction G99 : ne rétracter que jusqu'à la hauteur de rétraction entre les trous lors de cette opération + - Additional base objects to be engraved Objets de base supplémentaires à graver @@ -5396,9 +5396,9 @@ Par exemple : Rayon de départ + - Extra value to stay away from final profile- good for roughing toolpath Valeur supplémentaire pour rester loin du contour définitif - utile pour les parcours d'ébauche @@ -5418,9 +5418,9 @@ Par exemple : Exclure des zones de fraisage à l'intérieur de la surface. - - + + Choose how to process multiple Base Geometry features. Choisir comment traiter plusieurs fonctions de géométrie de base. @@ -5441,8 +5441,8 @@ Par exemple : Traiter le modèle et le brut dans une opération sans géométrie de base sélectionnée. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Sens du parcours des outils autour de la pièce dans le sens horaire ou le sens anti-horaire @@ -5549,8 +5549,8 @@ Par exemple : Marquer Vrai, si vous utilisez la compensation du rayon de coupe - + Show the temporary path construction objects when module is in DEBUG mode. Afficher les objets de construction des parcours temporaires lorsque le module est en mode DEBUG. @@ -5566,8 +5566,8 @@ Par exemple : Entrez un point de fin personnalisé pour le parcours de la rainure. - + Set the geometric clearing pattern to use for the operation. Définir le motif de détourage géométrique à utiliser pour l'opération. @@ -5583,8 +5583,8 @@ Par exemple : Positif prolonge la fin du parcours, négatif le raccourcit. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Terminer l’opération en une seule passe à la profondeur ou en plusieurs passes jusqu’à la profondeur finale. @@ -5615,8 +5615,8 @@ Par exemple : Activez pour inverser la direction de coupe du parcours de la rainure. - + The custom start point for the path of this operation Le point de départ personnalisé pour le parcours de cette opération @@ -6131,24 +6131,24 @@ Par exemple : Path_Dressup - + Please select one path object Veuillez sélectionner un parcours - + The selected object is not a path L'objet sélectionné n'est pas un chemin - + Please select a Path object Veuillez sélectionner un objet de Path @@ -6305,8 +6305,8 @@ Par exemple : Sélectionner le fichier de points de la sonde - + All Files (*.*) Tous les fichiers (*.*) @@ -7036,14 +7036,14 @@ Les valeurs seront converties dans l'unité souhaitée pendant le post-traitemen PathProfile - + Outside Extérieur - + Inside Intérieur diff --git a/src/Mod/Path/Gui/Resources/translations/Path_gl.ts b/src/Mod/Path/Gui/Resources/translations/Path_gl.ts index 7fb4ec6d5d6a..323ddbce35ad 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_gl.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_gl.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Engadir - - + + Remove Rexeitar @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Restaurar - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Ferramenta de control - - + + Coolant Coolant @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Parar - + - + Direction Dirección @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Un paso fóra - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Orientación - + Type Tipo @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operación @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Radio @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Editar @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Tódolos ficheiros (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_hr.ts b/src/Mod/Path/Gui/Resources/translations/Path_hr.ts index 0b2cea3e895a..54ba204863f3 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_hr.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_hr.ts @@ -715,17 +715,17 @@ Za materijal obrade iz graničnog okvira to znači dodatni materijal u svim smje Izbriši listu osnovnih geometrija - + Add Dodaj - - + + Remove Ukloniti @@ -782,8 +782,8 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Odbaci - + All objects will be processed using the same operation properties. Svi objekti obraditi će se koristeći iste postavke operacija. @@ -828,32 +828,32 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Sve lokacije obraditi će se koristeći iste postavke operacija. - + Start Depth Početna dubina - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Dubina početka operacije. Najviša točka u Z-osi koju operacija treba obraditi. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Prenesite Z vrijednost odabrane značajke kao početnu dubinu operacije. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Dubina operacije koja odgovara najnižoj vrijednosti u Z-osi koju operacija treba obraditi." - + Transfer the Z value of the selected feature as the Final Depth for the operation. Prenesite Z vrijednost odabrane značajke kao konačnu dubinu operacije. @@ -868,14 +868,14 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Dubina finalnog reza operacije. Može se koristiti za stvaranje čistijeg završetka obrade. - + Final Depth Konačna Dubina - + Step Down Korak Dolje @@ -915,34 +915,34 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Visina prohodnosti (izmežu alata i materijala obrade) + - - - - + + - + + The tool and its settings to be used for this operation. Alat i njegove postavke za ovu operaciju. + + + - - - - + + + + - - - Coolant Mode Način rada rashladnog sredstva @@ -952,28 +952,28 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim G Gode - + + + + - - + - - - + - + + - - + Tool Controller Kontroler Alata - - + + Coolant Rashladno sredstvo @@ -993,8 +993,8 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Vrsta Operacije - + Step Over Percent Postotak preklapanja @@ -1044,8 +1044,8 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Profil završne obrade - + Use Outline Koristi vanjski obris @@ -1100,10 +1100,10 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Stop - + - + Direction Smjer @@ -1113,15 +1113,15 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Smjer u kojem se profil izvodi, u smjeru kazaljke na satu ili suprotno od smjera kazaljke na satu. + - CW u smjeru kazaljke sata - + CCW suprotno smjeru kazaljke sata @@ -1146,8 +1146,6 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Kosa fuga - - @@ -1157,6 +1155,8 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim + + mm mm @@ -1372,11 +1372,11 @@ Resetiranje briše sve trenutne stavke s popisa i popunjava popis svim okruglim Uzorak - - + + The tool and its settings to be used for this operation @@ -1477,9 +1477,9 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Granica prostora rada alata - + Use Start Point Koristi početnu točku @@ -1737,9 +1737,9 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Produži kraj staze + - Layer Mode Mod sloja @@ -1779,8 +1779,8 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Vrsta skeniranja - + Cut Pattern Uzorci rezanja @@ -1795,14 +1795,14 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Izbjegavajte zadnju X plohu - + Bounding Box Granični okvir - + Select the overall boundary for the operation. Odaberite cjelokupnu granicu za operaciju. @@ -1812,14 +1812,14 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Ravan: U ravnini, 3D skeniranje površine. Rotacijsko: rotacijsko skeniranje oko 4-te osi. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Dovršite operaciju u jednom prolazu na dubini ili višestrukim prolazima do krajnje dubine. - + Set the geometric clearing pattern to use for the operation. Postavite geometrijski uzorak čišćenja koji će se koristiti za operaciju. @@ -1844,14 +1844,14 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Linije spuštajućeg (drop-cutter) glodala stvaraju se paralelno s ovom osi. - + Set the Z-axis depth offset from the target surface. Postavite pomak dubine Z-osi od ciljne površine. - + Set the sampling resolution. Smaller values quickly increase processing time. Postavite rezoluciju uzorkovanja. Manje vrijednosti brzo povećavaju vrijeme obrade. @@ -1861,8 +1861,8 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Postavite na Točno, ako specificirate Početnu točku - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Omogućiti optimizaciju linearnih staza (kolinearnih točaka). Uklanja nepotrebne kolinearne točke iz izvoza G-koda. @@ -1900,14 +1900,14 @@ Ovo se može koristiti za obradu cijelog područja obrade kako bi se osigurala u Pomak dubine - + Step over Korak preko - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1916,14 +1916,14 @@ A step over of 100% results in no overlap between two different cycles. Pomak od 100% rezultira bez preklapanja između dva različita ciklusa. - + Sample interval Korak uzorka - + Optimize Linear Paths Optimiraj linearne Staze @@ -2071,8 +2071,8 @@ Zadano: "3mm" Orijentacija - + Type Tip @@ -2102,8 +2102,8 @@ Zadano: "3mm" TPI - + Operation Operacija @@ -3021,8 +3021,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap priprema - + Radius Polumjer @@ -3438,8 +3438,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Simulator putanje @@ -4333,9 +4333,10 @@ Na primjer: Ne prikazuj ovo više - + Edit + int = field(default=None) Uredi @@ -4479,8 +4480,8 @@ Na primjer: Neplanarni prilagodljivi početak također nije dostupan. - + %s is not a Base Model object of the job %s %s nije objekt osnovnog modela zadatka %s @@ -4500,8 +4501,8 @@ Na primjer: Profilirajte cijeli model, odabrana lica ili odabrane rubove - + Choose a Path Job Izaberi posao Staze @@ -4605,7 +4606,6 @@ Na primjer: List of custom property groups - int = field(default=None) Lista grupa prilagođenih svojstava @@ -4673,12 +4673,12 @@ Na primjer: - - + + The base path to modify Osnovna staza za modifikaciju @@ -4973,9 +4973,9 @@ Visina potpornih mostića. Kolekcija svih kontrolera alata za ovaj zadatak - + Operations Cycle Time Estimation Procjena vremena ciklusa @@ -5060,8 +5060,8 @@ Visina potpornih mostića. Broj pomaka pričvršćenja - + Make False, to prevent operation from generating code Postavite na netočno da spriječite operaciju kod generiranja koda. @@ -5081,8 +5081,8 @@ Visina potpornih mostića. Utječe na preciznost i učinkovitost - + Percent of cutter diameter to step over on each pass Postotak promjera glodala koji bi prelazio u svakom prolazu @@ -5260,10 +5260,10 @@ Visina potpornih mostića. Početna točka ove staze - - + + Make True, if specifying a Start Point Postavite na Točno, ako se specificira Početna točka @@ -5379,9 +5379,9 @@ Visina potpornih mostića. Primijenite povlačenje G99: samo povucite do Povlačne visine između rupa u ovoj operaciji + - Additional base objects to be engraved Dodatni osnovni objekti koji trebaju biti gravirani @@ -5422,9 +5422,9 @@ Visina potpornih mostića. Početni Polumjer + - Extra value to stay away from final profile- good for roughing toolpath Dodatna vrijednost za izbjegavanje krajnjeg profila - dobro za putanju alata za grubo obrađivanje @@ -5444,9 +5444,9 @@ Visina potpornih mostića. Isključite glodanje povišenih područja unutar površine. - - + + Choose how to process multiple Base Geometry features. Odaberite način obrade značajki više osnovnih geometrija. @@ -5467,8 +5467,8 @@ Visina potpornih mostića. Obradite model i materijal obrade u operaciji bez odabrane osnovne geometrije. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Smjer kojim staza obrade treba obilaziti dio (u smjeru kazaljke) CW ili (suprotno smjeru kazaljke) CCW @@ -5575,8 +5575,8 @@ Visina potpornih mostića. Postavi na istinito, ako koristite kompenzaciju polumjera glodala - + Show the temporary path construction objects when module is in DEBUG mode. Prikažite privremene objekte za izgradnju staza kada je modul u stanju DEBUG moda. @@ -5592,8 +5592,8 @@ Visina potpornih mostića. Unesite prilagođenu krajnju točku za stazu utora. - + Set the geometric clearing pattern to use for the operation. Postavite geometrijski uzorak čišćenja koji će se koristiti za operaciju. @@ -5609,8 +5609,8 @@ Visina potpornih mostića. Pozitivno produžuje završetak staze, negativno skraćuje. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Dovršite operaciju u jednom prolazu na dubini ili višestrukim prolazima do krajnje dubine. @@ -5645,8 +5645,8 @@ Visina potpornih mostića. Omogućite okretanje smjera glodanja staze utora. - + The custom start point for the path of this operation Prilagođena početna točka za stazu ove operacije @@ -6163,22 +6163,22 @@ Staza koju treba kopirati Path_Dressup - + Please select one path object Odaberite samo jedan objekt staze - + The selected object is not a path Odabrani objekt nije putanja staze - + Please select a Path object Odaberite objekt staze @@ -6335,8 +6335,8 @@ Staza koju treba kopirati Odaberi datoteku mjernih točaka - + All Files (*.*) Sve datoteke (*.*) @@ -7067,14 +7067,14 @@ Razmotrite specificiranje Materijala obrade PathProfile - + Outside Vanjsko - + Inside Unutarnje diff --git a/src/Mod/Path/Gui/Resources/translations/Path_hu.ts b/src/Mod/Path/Gui/Resources/translations/Path_hu.ts index 1e12b0d11560..51786b10eed8 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_hu.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_hu.ts @@ -711,17 +711,17 @@ Az alaptárgy kötött dobozából származó készlet minden irányban az extra Törli az alapgeometriák listáját - + Add Hozzáad - - + + Remove Törlés @@ -776,8 +776,8 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Alaphelyzetbe állítása - + All objects will be processed using the same operation properties. Az összes tárgy feldolgozása ugyanazzal a művelettulajdonságokkal történik. @@ -822,32 +822,32 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Az összes hely feldolgozása ugyanazokkal a műveleti tulajdonságokkal történik. - + Start Depth Kezdeti mélység - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Kezdeti műveleti mélység. A művelet által feldolgozni szükséges Z-tengely legmagasabb pontja. - + Transfer the Z value of the selected feature as the Start Depth for the operation. A kiválasztott funkció Z értékének átvitele a művelet kezdő mélységeként. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. A művelet mélysége, amely megfelel a művelet által feldolgozni szükséges legalacsonyabb Z-tengely értéknek. - + Transfer the Z value of the selected feature as the Final Depth for the operation. A kiválasztott funkció Z értékének átvitele a művelet végső mélységeként. @@ -862,14 +862,14 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti A művelet végső vágásának mélysége. Használható tisztább felület előállítására. - + Final Depth Végső mélység - + Step Down Visszaléptetés @@ -909,34 +909,34 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Hézagmagasság + - - - - + + - + + The tool and its settings to be used for this operation. A művelethez használandó szerszám és beállításai. + + + - - - - + + + + - - - Coolant Mode Hűtőközeg mód @@ -946,28 +946,28 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti G Kód - + + + + - - + - - - + - + + - - + Tool Controller Eszköz vezérlő - - + + Coolant Hűtőfolyadék @@ -987,8 +987,8 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Művelettípus - + Step Over Percent Egy lépéssel tovább százalékban @@ -1038,8 +1038,8 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Profil befejezése - + Use Outline Kontúr használata @@ -1094,10 +1094,10 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Megállít - + - + Direction Irány @@ -1107,15 +1107,15 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti A profil végrehajtásának iránya az óramutató járásával megegyező vagy az óramutató járásával ellentétes irányban. + - CW Órajárás iránya - + CCW Órajárással ellentétes irány @@ -1140,8 +1140,6 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Gérvágás - - @@ -1151,6 +1149,8 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti + + mm mm @@ -1366,11 +1366,11 @@ A Visszaállítás törli az összes aktuális elemet a listából, és kitölti Minta - - + + The tool and its settings to be used for this operation @@ -1469,9 +1469,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Anyag hozzáadása - + Use Start Point Kezdőpont használata @@ -1727,9 +1727,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Útvonal kiterjesztés vége + - Layer Mode Réteg mód @@ -1769,8 +1769,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Szkennelési módszer - + Cut Pattern Vágott minta @@ -1785,14 +1785,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Kerülje az utolsó X felületet - + Bounding Box Határolókeret - + Select the overall boundary for the operation. Jelölje ki a művelet teljes határvonalát. @@ -1802,14 +1802,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Síkbeli: Lapos, 3D felület letapogatás. Forgatás: 4-tengelyes forgató letapogatás. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Fejezze be a műveletet egyetlen lépésben a mélységig, vagy több lépésben a végső mélységig. - + Set the geometric clearing pattern to use for the operation. Állítsa be a művelet geometriai forgácsoló élmintázatát. @@ -1834,14 +1834,14 @@ The latter can be used to face of the entire stock area to ensure uniform height A legördülő vonalak ezzel a tengelyekkel párhuzamosan jönnek létre. - + Set the Z-axis depth offset from the target surface. Állítsa be a Z tengely mély eltolását a célfelületről. - + Set the sampling resolution. Smaller values quickly increase processing time. Állítsa be a mintavételi sebesség felbontását. A kisebb értékek felgyorsítják a feldolgozási időt. @@ -1851,8 +1851,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Állítsa igazra, ha egy kiinduló pontot ad meg - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Megvalósítja az egyenes vonalú pályák (egy vonalba eső pontok) optimalizálását. Eltávolítja a felesleges egy vonalba eső pontokat a generált G-kódból. @@ -1887,14 +1887,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Mélységi eltolás - + Step over Átlép - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1903,14 +1903,14 @@ A step over of 100% results in no overlap between two different cycles. A 100%-os eltolás megakadályozza, hogy két különböző ciklus átfedje egymást. - + Sample interval Mintavételezés - + Optimize Linear Paths Egyenes útvonalak optimalizálása @@ -2056,8 +2056,8 @@ Default: 3 mm Tájolás - + Type Típus @@ -2087,8 +2087,8 @@ Default: 3 mm Menet per coll (inch) - + Operation Művelet @@ -3009,8 +3009,8 @@ Ha több azonos nevű eszköz vagy szerszámforma létezik különböző könyvt AxisMap kivitelezés - + Radius Sugár @@ -3425,8 +3425,8 @@ Ha több azonos nevű eszköz vagy szerszámforma létezik különböző könyvt TaskPathSimulator - + Path Simulator Folyamatszimulátor @@ -4316,9 +4316,10 @@ Például: Ne mutasd többet - + Edit + int = field(default=None) Szerkesztés @@ -4460,8 +4461,8 @@ Például: A nem síkbeli adaptív rendszerindítás szintén nem érhető el. - + %s is not a Base Model object of the job %s %s nem egy alap modell objektuma ennek a feladatnak: %s @@ -4481,8 +4482,8 @@ Például: Használja ki a teljes modellt, jelölje ki a felülete(ke)t vagy a kijelölt él(ek)et - + Choose a Path Job Tevékenység elérési útjának kijelölése @@ -4586,7 +4587,6 @@ Például: List of custom property groups - int = field(default=None) A felhasználó által definiált tárgycsoportok listája @@ -4649,12 +4649,12 @@ Például: - - + + The base path to modify A megváltoztatni kívánt alap pálya útvonal @@ -4948,9 +4948,9 @@ Például: A feladathoz szükséges összes vezérlőeszköz gyűjteménye - + Operations Cycle Time Estimation Műveleti ciklus időbecslése @@ -5035,8 +5035,8 @@ Például: Koordináta rendszer kiválasztása - + Make False, to prevent operation from generating code Állítsa hamisra annak megakadályozására, hogy a művelet, kódot generálhasson @@ -5056,8 +5056,8 @@ Például: Befolyásolja a pontosságot és a teljesítményt - + Percent of cutter diameter to step over on each pass Maró átmérő százaléka mellyel átlép minden elhaladáskor @@ -5233,10 +5233,10 @@ Például: Ennek a szerszámpályának az induló pontja - - + + Make True, if specifying a Start Point Állítsa igazra, ha egy kiinduló pontot ad meg @@ -5350,9 +5350,9 @@ Például: G99 visszahúzás alkalmazása: csak a művelet furatai között húzza vissza a visszahúzási magasság értéket + - Additional base objects to be engraved Kiegészítő alap tárgyakat kell bevésni @@ -5393,9 +5393,9 @@ Például: Kezdő sugár + - Extra value to stay away from final profile- good for roughing toolpath Extra érték ami távol tart a záró profiltól- jó a nagyoló szerszámmozgáshoz @@ -5415,9 +5415,9 @@ Például: Zárja ki a felemelt területek marását a felületen belül. - - + + Choose how to process multiple Base Geometry features. Válassza ki, hogyan kezeljen több alapgeometriai függvényt. @@ -5438,8 +5438,8 @@ Például: A modell és a primitív folyamat olyan műveletben, amely nem választja ki az alapgeometria beállítását. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) A szerszámmozgás az alkatrész körül leírt iránya az óramutató járásával megegyező (CW) vagy az óramutató járásával ellentétes irányú (CCW) @@ -5546,8 +5546,8 @@ Például: Állítsa igazra, ha sugár vágó kompenzációt alkalmaz - + Show the temporary path construction objects when module is in DEBUG mode. Az ideiglenes építőtárgyak megjelenítésének útvonala, ha a modul DEBUG módban van. @@ -5563,8 +5563,8 @@ Például: Adja meg a horony egyéni végpontját. - + Set the geometric clearing pattern to use for the operation. Állítsa be a művelet geometriai forgácsoló élmintázatát. @@ -5580,8 +5580,8 @@ Például: A pozitív kiterjeszti az elérési út végét, a negatív megrövidíti. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Fejezze be a műveletet egyetlen lépésben a mélységig, vagy több lépésben a végső mélységig. @@ -5612,8 +5612,8 @@ Például: Aktiválás a horony vágási irányának megfordításához. - + The custom start point for the path of this operation A művelet röppályájának egyéni kezdőpontja @@ -6128,24 +6128,24 @@ Például: Path_Dressup - + Please select one path object Jelöljön ki egy pálya tárgyat - + The selected object is not a path A kijelölt tárgy nem pálya útvonal - + Please select a Path object Kérem válasszon egy pályaútvonal tárgyat @@ -6302,8 +6302,8 @@ Például: Mérési pontfájl kiválasztása - + All Files (*.*) Összes fájl (*.*) @@ -7034,14 +7034,14 @@ Például: PathProfile - + Outside Külső - + Inside Belső diff --git a/src/Mod/Path/Gui/Resources/translations/Path_id.ts b/src/Mod/Path/Gui/Resources/translations/Path_id.ts index 9326da88a9ba..71c700cf7185 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_id.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_id.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Menambahkan - - + + Remove Menghapus @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Setel ulang - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant Coolant @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Berhenti - + - + Direction Arah @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Langkah selesai - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Orientasi - + Type Jenis @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Jari-jari @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Edit @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) All Files (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_it.ts b/src/Mod/Path/Gui/Resources/translations/Path_it.ts index fab33f30b8e2..07c2546d24e0 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_it.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_it.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Cancella l'elenco delle geometrie di base - + Add Aggiungi - - + + Remove Rimuovi @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Ripristina - + All objects will be processed using the same operation properties. Tutti gli oggetti saranno elaborati utilizzando le stesse proprietà operative. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul Tutte le posizioni saranno elaborate utilizzando le stesse proprietà operative. - + Start Depth Profondità Iniziale - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Profondità del taglio finale dell'operazione. Può essere utilizzato per ottenere una finitura più pulita. - + Final Depth Profondità Finale - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Altezza libera + - - - - + + - + + The tool and its settings to be used for this operation. Lo strumento e le sue impostazioni da utilizzare per questa operazione. + + + - - - - + + + + - - - Coolant Mode Modalità refrigerante @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Controllore Strumento - - + + Coolant Refrigerante @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Tipo Operazione - + Step Over Percent Percentuale di sovrapposizione @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Profilo di finitura - + Use Outline Usa contorno @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Ferma - + - + Direction Direzione @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul La direzione in cui il profilo viene eseguita, in senso orario o antiorario. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Motivo - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Usa Punto Iniziale @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Modalità Livello @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Tipo di scansione - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Riquadro di delimitazione - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Passo successivo - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Orientamento - + Type Tipo @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operazione @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Raggio @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Simulatore di Percorso @@ -4324,9 +4324,10 @@ Per esempio: Non Mostrare Più - + Edit + int = field(default=None) Modifica @@ -4468,8 +4469,8 @@ Per esempio: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ Per esempio: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Scegli un Percorso di Lavorazione @@ -4594,7 +4595,6 @@ Per esempio: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ Per esempio: - - + + The base path to modify Il percorso di base da modificare @@ -4956,9 +4956,9 @@ Per esempio: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ Per esempio: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ Per esempio: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ Per esempio: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ Per esempio: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ Per esempio: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ Per esempio: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ Per esempio: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ Per esempio: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ Per esempio: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ Per esempio: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ Per esempio: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ Per esempio: Path_Dressup - + Please select one path object Selezionare un percorso oggetto - + The selected object is not a path L'oggetto selezionato non è un percorso - + Please select a Path object Seleziona un oggetto Percorso @@ -6310,8 +6310,8 @@ Per esempio: Select Probe Point File - + All Files (*.*) Tutti i File (*.*) @@ -7042,14 +7042,14 @@ Per esempio: PathProfile - + Outside Esterno - + Inside Interno diff --git a/src/Mod/Path/Gui/Resources/translations/Path_ja.ts b/src/Mod/Path/Gui/Resources/translations/Path_ja.ts index 17efe5859a30..0d160d889540 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_ja.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_ja.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add 追加 - - + + Remove 削除 @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul リセット - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant 冷却剤 @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul 停止 - + - + Direction 方向 @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over ステップ オーバー - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm 向き - + Type タイプ @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation オペレーション @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius 半径 @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) 編集 @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) すべてのファイル (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_ka.ts b/src/Mod/Path/Gui/Resources/translations/Path_ka.ts index 4a67814328c2..9ecc75cfdf6a 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_ka.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_ka.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all ასუფთავებს საბაზისო გეომეტრიების სიას - + Add დამატება - - + + Remove წაშლა @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul განულება - + All objects will be processed using the same operation properties. ყველა ობიექტი ოპერაციის იგივე თვისებების გამოყენებით დამუშავდება. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul ყველა მდებარეობა ოპერაციის იგივე თვისებების გამოყენებით დამუშავდება. - + Start Depth საწყისი სიღრმე - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. ოპერაციის საწყისი სიღრმე. Z-ღერძის უმაღლესი წერტილი, რომელიც ამ ოპერაციამ უნდა დაამუშაოს. - + Transfer the Z value of the selected feature as the Start Depth for the operation. მონიშნული თვისების Z მნიშვნელობის ოპერაციის StartDepth-ად გამოყენება. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. მონიშნული თვისების Z მნიშვნელობის ოპერაციის საბოლოო სიღრმედ გამოყენება. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth საბოლოო სიღრმე - + Step Down ბიჯი ქვემოთ @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul გაბარიტული სიმაღლე + - - - - + + - + + The tool and its settings to be used for this operation. ხელსაწყო და ამ ოპერაციაში გამოყენებული მისი პარამეტრები. + + + - - - - + + + + - - - Coolant Mode გამაგრილებლის რეჟიმი @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller ხელსაწყოს კონტროლერი - - + + Coolant გამაგრილებელი @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul ოპერაციის ტიპი - + Step Over Percent მიწოდების ბიჯის პროცენტულობა @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul დამასრულებელი პროფილი - + Use Outline კიდის გამოყენება @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul შეჩერება - + - + Direction მიმართულება @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul მიმართულება, რომლითაც პროფილი შესრულდება. საათის, თუ საათის საწინააღმდეგო მიმართულებით. + - CW სმ - + CCW სსს @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul ირიბპირა შეერთება - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm მმ @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul შაბლონი - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height მასალის დასაშვებობა - + Use Start Point სასტარტო წერტილის გამოყენება @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height ტრაექტორიის ბოლოს დაგრძელება + - Layer Mode ფენის რეჟიმი @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height სკანირების ტიპი - + Cut Pattern ნიმუშის ამოჭრა @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height ბოლო X ზედაპირების თავიდან აცილება - + Bounding Box შემზღუდავი ოთხკუთხედი - + Select the overall boundary for the operation. აირჩიეთ ოპერაციის საერთო საზღვარი. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. ოპერაციის სიღრმეზე ერთი გავლის დასრულება. ან აირჩიეთ მრავალი გავლა, სრული სიღრმის მისაღწევად. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height ფრეზირების ხაზები ამ ღერძის პარალელურად შეიქმნება. - + Set the Z-axis depth offset from the target surface. სამიზნე ზედაპირიდან Z-ღერძის სიღრმის წანაცვლების დაყენება. - + Set the sampling resolution. Smaller values quickly increase processing time. დააყენეთ სამპლინგის გაფართოება. მცირე მნიშვნელობები სწრაფად ზრდიან დამუშავების დროს. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height ჩართვა, თუ საწყისი წერტილი მითითებულია - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height სიღრმის წანაცვლება - + Step over გადაბიჯება - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval სინჯის ინტერვალი - + Optimize Linear Paths ხაზოვანი ტრაექტორიების ოპტიმიზაცია @@ -2062,8 +2062,8 @@ Default: 3 mm ორიენტაცია - + Type ტიპი @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation ოპერაცია @@ -3014,8 +3014,8 @@ Should multiple tools or tool shapes with the same name exist in different direc ღერძების რუკის ზღუდარი - + Radius რადიუსი @@ -3430,8 +3430,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator ტრაექტორიის სიმულატორი @@ -4322,9 +4322,10 @@ CNC ჩარხებს მიწოდების სიჩქარის აღარ მაჩვენო - + Edit + int = field(default=None) ჩასწორება @@ -4466,8 +4467,8 @@ CNC ჩარხებს მიწოდების სიჩქარის არაბრტყელი ადაპტიური სტარტიც ხელმიუწვდომელია. - + %s is not a Base Model object of the job %s %s დავალებისთვის %s ძირითადი მოდელის ობექტს არ წარმოადგენს @@ -4487,8 +4488,8 @@ CNC ჩარხებს მიწოდების სიჩქარის Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job აირჩიეთ ტრაექტორიის დავალება @@ -4592,7 +4593,6 @@ CNC ჩარხებს მიწოდების სიჩქარის List of custom property groups - int = field(default=None) ხელით მითითებული თვისების ჯგუფების სია @@ -4655,12 +4655,12 @@ CNC ჩარხებს მიწოდების სიჩქარის - - + + The base path to modify ჩასასწორებელი საბაზისო ტრაექტორია @@ -4954,9 +4954,9 @@ CNC ჩარხებს მიწოდების სიჩქარის დავალების ყველა ხელსაწყოს კონტროლერის კოლექცია - + Operations Cycle Time Estimation ოპერაციის ციკლის დროს შეფასება @@ -5041,8 +5041,8 @@ CNC ჩარხებს მიწოდების სიჩქარის სამაგრის წანაცვლების ნომერი - + Make False, to prevent operation from generating code გამორთეთ ოპერაციისთვის კოდის გენერაციის ხელის შესაშლელად @@ -5062,8 +5062,8 @@ CNC ჩარხებს მიწოდების სიჩქარის გავლენა აქვს სიზუსტეზე და წარმადობაზე - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5239,10 +5239,10 @@ CNC ჩარხებს მიწოდების სიჩქარის ამ ტრაექტორიის საწყისი წერტილი - - + + Make True, if specifying a Start Point ჩართვა, თუ საწყისი წერტილი მითითებულია @@ -5356,9 +5356,9 @@ CNC ჩარხებს მიწოდების სიჩქარის Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved დამატებით ამოსატვიფრი ძირითადი ობიექტები @@ -5399,9 +5399,9 @@ CNC ჩარხებს მიწოდების სიჩქარის საწყისი რადიუსი + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5421,9 +5421,9 @@ CNC ჩარხებს მიწოდების სიჩქარის მითითებულ ზედაპირთან შედარებით აწეული ადგილების ღარვის გამორიცხვა. - - + + Choose how to process multiple Base Geometry features. აირჩიეთ, როგორ დამუშავდება მრავალი ძირითადი გეომეტრიის მქონე თვისებები. @@ -5444,8 +5444,8 @@ CNC ჩარხებს მიწოდების სიჩქარის Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) ხელსაწყოს მჭრელი იარაღის მიმართულება საათის(ს. მ.) ან საათის საწინააღმდეგო (ს. ს. მ.) მიმართულებით მოძრაობა @@ -5552,8 +5552,8 @@ CNC ჩარხებს მიწოდების სიჩქარის ჩართეთ, თუ იყენებთ ხელსაწყოს რადიუსის კომპენსაციას - + Show the temporary path construction objects when module is in DEBUG mode. მოდულის გამართვის რეჟიმში ყოფნის დროს დროებითი ტრაექტორიის კონსტრუქციული ობიექტების ჩვენება. @@ -5569,8 +5569,8 @@ CNC ჩარხებს მიწოდების სიჩქარის შეიყვანეთ სლოტის ტრაექტორიის სასურველი ბოლო წერტილი. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5586,8 +5586,8 @@ CNC ჩარხებს მიწოდების სიჩქარის დადებითი მნიშვნელობა დააგრძელებს ტრაექტორიის ბოლოს, უარყოფითი კი დაამოკლებს. - + Complete the operation in a single pass at depth, or multiple passes to final depth. ოპერაციის სიღრმეზე ერთი გავლის დასრულება. ან აირჩიეთ მრავალი გავლა, სრული სიღრმის მისაღწევად. @@ -5618,8 +5618,8 @@ CNC ჩარხებს მიწოდების სიჩქარის Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation ამ ოპერაციის ტრაექტორიის საწყისი ხელით მითითებული წერტილი @@ -6134,24 +6134,24 @@ CNC ჩარხებს მიწოდების სიჩქარის Path_Dressup - + Please select one path object გთხოვთ აირჩიოთ ერთი ტრაექტორიის ობიექტი - + The selected object is not a path მონიშნული ობიექტი ტრაექტორია არაა - + Please select a Path object აირჩიეთ ტრაექტორიის ობიექტი @@ -6308,8 +6308,8 @@ CNC ჩარხებს მიწოდების სიჩქარის არჩიეთ ზონდის წერტილის ფაილი - + All Files (*.*) ყველა ფაილი (*.*) @@ -7040,14 +7040,14 @@ CNC ჩარხებს მიწოდების სიჩქარის PathProfile - + Outside გარედან - + Inside შიგნიდან diff --git a/src/Mod/Path/Gui/Resources/translations/Path_ko.ts b/src/Mod/Path/Gui/Resources/translations/Path_ko.ts index 785c82eb7de8..1af33d0f3cbc 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_ko.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_ko.ts @@ -705,17 +705,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add 추가하기 - - + + Remove 제거 @@ -770,8 +770,8 @@ Reset deletes all current items from the list and fills the list with all circul 재설정 - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -816,32 +816,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -856,14 +856,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -903,34 +903,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -940,28 +940,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant Coolant @@ -981,8 +981,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1032,8 +1032,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1088,10 +1088,10 @@ Reset deletes all current items from the list and fills the list with all circul 중지 - + - + Direction 방향 @@ -1101,15 +1101,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW 시계방향 - + CCW CCW @@ -1134,8 +1134,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1145,6 +1143,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1360,11 +1360,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1465,9 +1465,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1723,9 +1723,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1765,8 +1765,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1781,14 +1781,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1798,14 +1798,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1830,14 +1830,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1847,8 +1847,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1883,14 +1883,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over 한 단계 진행 - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1899,14 +1899,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2054,8 +2054,8 @@ Default: 3 mm Orientation - + Type 유형 @@ -2085,8 +2085,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3007,8 +3007,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Radius @@ -3423,8 +3423,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4316,9 +4316,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) 편집 @@ -4460,8 +4461,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4481,8 +4482,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4586,7 +4587,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4649,12 +4649,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4948,9 +4948,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5035,8 +5035,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5056,8 +5056,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5233,10 +5233,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5350,9 +5350,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5393,9 +5393,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5415,9 +5415,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5438,8 +5438,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5546,8 +5546,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5563,8 +5563,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5580,8 +5580,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5612,8 +5612,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6128,24 +6128,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6302,8 +6302,8 @@ For example: Select Probe Point File - + All Files (*.*) All Files (*.*) @@ -7034,14 +7034,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_nl.ts b/src/Mod/Path/Gui/Resources/translations/Path_nl.ts index dd24d123c288..e767333de613 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_nl.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_nl.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Toevoegen - - + + Remove Verwijderen @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Herstel - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Gereedschapsregelaar - - + + Coolant Koelvloeistof @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Profiel voltooien - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Stop - + - + Direction Richting @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW Rechtsom - + CCW Linksom @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Patroon - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Gebruik startpunt @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scantype - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Stap over - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Oriëntatie - + Type Type @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Bewerking @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Radius @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Laat dit niet meer zien - + Edit + int = field(default=None) Bewerken @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: Het beginpunt van dit pad - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Startstraal + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Alle bestanden (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Buiten - + Inside Binnen diff --git a/src/Mod/Path/Gui/Resources/translations/Path_pl.ts b/src/Mod/Path/Gui/Resources/translations/Path_pl.ts index a9775a887732..f4d369738d0a 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_pl.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_pl.ts @@ -717,17 +717,17 @@ Dla półfabrykatu materiału podstawowego z ramki otaczającej oznacza to pół Czyści listę geometrii bazowych - + Add Dodaj - - + + Remove Usuń @@ -782,8 +782,8 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Resetuj - + All objects will be processed using the same operation properties. Wszystkie obiekty będą przetwarzane przy użyciu tych samych właściwości operacji. @@ -828,32 +828,32 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Wszystkie miejsca będą przetwarzane przy użyciu tych samych właściwości operacji. - + Start Depth Głębokość początkowa - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Zacznij operację od Głębokości. Najwyższy punkt w osi Z, który ma zostać przetworzony. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Przenieś wartość Z wybranej cechy jako początkową głębokość dla tej operacji - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Głębokość operacji, która odpowiada najniższej wartości w osi Z, którą operacja musi przetwarzać. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Przenieś wartość Z wybranej cechy jako końcową głębokość operacji @@ -868,14 +868,14 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Głębokość operacji zakończenia obróbki. Może być użyta do uzyskania czystszego wykończenia. - + Final Depth Głębokość końcowa - + Step Down Krok w dół @@ -915,34 +915,34 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Odstęp bezpieczeństwa + - - - - + + - + + The tool and its settings to be used for this operation. Narzędzie i jego ustawienia, które będą używane do tej operacji. + + + - - - - + + + + - - - Coolant Mode Tryb chłodzenia @@ -952,28 +952,28 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr G Gode - + + + + - - + - - - + - + + - - + Tool Controller Kontroler narzędzi - - + + Coolant Chłodziwo @@ -993,8 +993,8 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Typ operacji - + Step Over Percent Procent szerokości skrawania @@ -1044,8 +1044,8 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Wykończ profil - + Use Outline Użyj konturu @@ -1100,10 +1100,10 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Zatrzymaj - + - + Direction Kierunek @@ -1113,15 +1113,15 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Kierunek, w którym wykonywany jest profil, zgodnie z ruchem wskazówek zegara lub w kierunku przeciwnym do ruchu wskazówek zegara. + - CW Zgodnie ze wskazówkami zegara - + CCW Przeciwnie do ruchu wskazówek zegara @@ -1146,8 +1146,6 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Połączenie ukośne - - @@ -1157,6 +1155,8 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr + + mm mm @@ -1372,11 +1372,11 @@ Zresetuje wszystkie bieżące elementy z listy i wypełnia listę wszystkimi okr Wzór - - + + The tool and its settings to be used for this operation @@ -1477,9 +1477,9 @@ Ta druga opcja może być użyta do planowania całego obszaru półfabrykatu, a Dodatek materiału - + Use Start Point Użyj punktu początkowego @@ -1735,9 +1735,9 @@ Ta druga opcja może być użyta do planowania całego obszaru półfabrykatu, a Końcowy zakres ścieżki + - Layer Mode Tryb warstw @@ -1777,8 +1777,8 @@ Ta druga opcja może być użyta do planowania całego obszaru półfabrykatu, a Metoda skanowania - + Cut Pattern Wzór obróbki @@ -1793,14 +1793,14 @@ Ta druga opcja może być użyta do planowania całego obszaru półfabrykatu, a Unikaj ostatnich X ścian - + Bounding Box Ramka otaczająca - + Select the overall boundary for the operation. Wybierz ogólną granicę dla operacji. @@ -1811,14 +1811,14 @@ Ta druga opcja może być użyta do planowania całego obszaru półfabrykatu, a Obrotowy: Skanowanie obrotowe w 4 osiach. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Wykonaj operację w jednym przejściu na określoną głębokość lub w kilku przejściach do głębokości końcowej. - + Set the geometric clearing pattern to use for the operation. Ustaw geometryczny wzorzec oczyszczenia, który ma być używany podczas operacji. @@ -1843,14 +1843,14 @@ Obrotowy: Skanowanie obrotowe w 4 osiach. Linie frezowania wgłębnego tworzone są równoległe do tej osi. - + Set the Z-axis depth offset from the target surface. Ustaw przesunięcie głębokości osi Z od powierzchni docelowej. - + Set the sampling resolution. Smaller values quickly increase processing time. Ustaw rozdzielczość próbkowania. Im mniejsza wartość, tym dłuższy czas przetwarzania. @@ -1860,8 +1860,8 @@ Obrotowy: Skanowanie obrotowe w 4 osiach. Ustaw "Prawda", jeśli określono punkt początkowy - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Włącz optymalizację ścieżek liniowych (punktów współliniowych). Usuwa niepotrzebne punkty współliniowe z wygenerowanego G-Code. @@ -1896,14 +1896,14 @@ Obrotowy: Skanowanie obrotowe w 4 osiach. Głębokość przesunięcia - + Step over Szerokość skrawania - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1912,14 +1912,14 @@ A step over of 100% results in no overlap between two different cycles. Szerokość skrawania 100% powoduje, że dwa różne cykle nie nakładają się na siebie. - + Sample interval Odstęp między próbkami - + Optimize Linear Paths Optymalizuj ścieżki liniowe @@ -2067,8 +2067,8 @@ Domyślnie: 3 mm Orientacja - + Type Typ @@ -2098,8 +2098,8 @@ Domyślnie: 3 mm TPI - + Operation Operacja @@ -3023,8 +3023,8 @@ Should multiple tools or tool shapes with the same name exist in different direc Wykończenie odwzorowania osi - + Radius Promień @@ -3439,8 +3439,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Symulator obróbki @@ -4325,9 +4325,10 @@ Na przykład: Nie wyświetlaj tego więcej - + Edit + int = field(default=None) Edytuj @@ -4469,8 +4470,8 @@ Na przykład: Nie jest również dostępny nieplanarny start adaptacyjny. - + %s is not a Base Model object of the job %s %s nie jest obiektem modelu podstawowego zadania %s @@ -4490,8 +4491,8 @@ Na przykład: Profiluj cały model, wybrane ściany lub wybrane krawędzie - + Choose a Path Job Wybierz ścieżkę zadania @@ -4595,7 +4596,6 @@ Na przykład: List of custom property groups - int = field(default=None) Lista grup właściwości niestandardowych @@ -4658,12 +4658,12 @@ Na przykład: - - + + The base path to modify Ścieżka bazowa do modyfikacji @@ -4957,9 +4957,9 @@ Na przykład: Zbiór wszystkich kontrolerów narzędzi do pracy - + Operations Cycle Time Estimation Szacunkowy czas trwania cyklu operacji @@ -5044,8 +5044,8 @@ Na przykład: Numer przesunięcia urządzenia - + Make False, to prevent operation from generating code Zaznacz "Fałsz”, jeśli chcesz uniemożliwić operacji generowanie jakiegokolwiek kodu @@ -5065,8 +5065,8 @@ Na przykład: Wpływa na dokładność i wydajność - + Percent of cutter diameter to step over on each pass Procent średnicy freza do szerokości skrawania przy każdym przejściu @@ -5242,10 +5242,10 @@ Na przykład: Punkt początkowy tej ścieżki - - + + Make True, if specifying a Start Point Upewnij się, że określasz punkt początkowy @@ -5359,9 +5359,9 @@ Na przykład: Zastosuj wycofanie G99: w tej operacji wycofuj tylko do wysokości "WysokośćWycofania" pomiędzy otworami + - Additional base objects to be engraved Dodatkowe obiekty podstawowe do grawerowania @@ -5402,9 +5402,9 @@ Na przykład: Promień początkowy + - Extra value to stay away from final profile- good for roughing toolpath Dodatkową wartość odległości od profilu końcowego odpowiednia do obróbki zgrubnej @@ -5424,9 +5424,9 @@ Na przykład: Wyklucz frezowanie podwyższonych obszarów wewnątrz powierzchni czołowej. - - + + Choose how to process multiple Base Geometry features. Wybierz sposób przetwarzania wielu elementów geometrii podstawowej. @@ -5447,8 +5447,8 @@ Na przykład: Przetwarzaj model i półfabrykat w elemencie bez wybranej geometrii bazowej. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Kierunek, w którym narzędzie porusza się po ścieżce wokół części, zgodnie (CW) lub przeciwnie (CCW) do ruchu wskazówek zegara @@ -5555,8 +5555,8 @@ Na przykład: Ustaw wartość Prawda, jeśli używasz kompensacji promienia frezu - + Show the temporary path construction objects when module is in DEBUG mode. Pokaż tymczasowe obiekty konstrukcyjne ścieżki, gdy moduł jest w trybie DEBUGOWANIA. @@ -5572,8 +5572,8 @@ Na przykład: Wprowadź przykładowy punkt końcowy dla ścieżki rowka. - + Set the geometric clearing pattern to use for the operation. Ustaw geometryczny wzorzec oczyszczenia, który ma być używany podczas operacji. @@ -5589,8 +5589,8 @@ Na przykład: Wartość dodatnia przedłuża koniec ścieżki, wartość ujemna skraca go. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Wykonaj operację w jednym przejściu na głębokość lub w kilku przejściach do głębokości końcowej. @@ -5621,8 +5621,8 @@ Na przykład: Włącz, aby odwrócić kierunek skrawania ścieżki rowka. - + The custom start point for the path of this operation Niestandardowy punkt początkowy dla ścieżki tej operacji @@ -6140,24 +6140,24 @@ OL Dropcutter* lub Eksperymentalny (nieoparty na OCL). Path_Dressup - + Please select one path object Proszę wybrać jeden obiekt ścieżki - + The selected object is not a path Wybrany obiekt nie jest ścieżką - + Please select a Path object Proszę wybrać obiekt ścieżki @@ -6314,8 +6314,8 @@ OL Dropcutter* lub Eksperymentalny (nieoparty na OCL). Wybierz plik punktów pomiarowych - + All Files (*.*) Wszystkie pliki (*.*) @@ -7046,14 +7046,14 @@ Starsze narzędzia nie są obsługiwane przez funkcję Bezpieczeństwo CAM PathProfile - + Outside Na zewnątrz - + Inside Wewnątrz diff --git a/src/Mod/Path/Gui/Resources/translations/Path_pt-BR.ts b/src/Mod/Path/Gui/Resources/translations/Path_pt-BR.ts index 2c83a4b3edb1..2cde3af3d542 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_pt-BR.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_pt-BR.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Adicionar - - + + Remove Remover @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Restaurar - + All objects will be processed using the same operation properties. Todos os objetos serão processados usando as mesmas propriedades da operação. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul Todas as localizações serão processadas usando as mesmas propriedades de operação. - + Start Depth Profundidade inicial - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Profundidade final - + Step Down Passo Abaixo @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Altura livre + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Modo de resfriamento @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Code - + + + + - - + - - - + - + + - - + Tool Controller Controlador de ferramenta - - + + Coolant Líquido de refrigeração @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Tipo de operação - + Step Over Percent Porcentagem de sobreposição @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Perfil de acabamento - + Use Outline Usar contorno @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Parar - + - + Direction Direção @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW Sentido Horário - + CCW Sentido Anti-horário @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Padrão - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Usar ponto inicial @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Modo de Camadas @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Tipo de escaneamento - + Cut Pattern Padrão de Corte @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Evitar Últimas X Faces - + Bounding Box Caixa delimitadora - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Deslocamento da profundidade - + Step over Avançar - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Intervalo de amostragem - + Optimize Linear Paths Otimizar caminhos lineares @@ -2062,8 +2062,8 @@ Default: 3 mm Orientação - + Type Tipo @@ -2093,8 +2093,8 @@ Default: 3 mm TPP - + Operation Operação @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Raio @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Editar @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Escolha uma tarefa de trajetória @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Mostra os objetos temporários de construção de trajetória quando o módulo está no modo DEBUG. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Todos os arquivos (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Lado de Fora - + Inside Lado de Dentro diff --git a/src/Mod/Path/Gui/Resources/translations/Path_pt-PT.ts b/src/Mod/Path/Gui/Resources/translations/Path_pt-PT.ts index 3601bee94f0e..6e6a2bf70794 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_pt-PT.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_pt-PT.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Adicionar - - + + Remove Remover @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Reiniciar - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Controlador de Ferramenta - - + + Coolant Refrigerante @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Parar - + - + Direction Direção @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Ignorar - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Padrão: 3 mm Orientação - + Type Tipo @@ -2093,8 +2093,8 @@ Padrão: 3 mm TPI - + Operation Operação @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Raio @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Editar @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Todos os Ficheiros (*. *) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_ro.ts b/src/Mod/Path/Gui/Resources/translations/Path_ro.ts index 5d6653f4fa32..ce3aa0022146 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_ro.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_ro.ts @@ -716,17 +716,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Adaugă - - + + Remove Elimină @@ -781,8 +781,8 @@ Reset deletes all current items from the list and fills the list with all circul Reinițializare - + All objects will be processed using the same operation properties. Toate obiectele vor fi procesate folosind aceleași proprietăți. @@ -827,32 +827,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -867,14 +867,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -914,34 +914,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Mod Coolant @@ -951,28 +951,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Controler sculă - - + + Coolant Coolant @@ -992,8 +992,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1043,8 +1043,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1099,10 +1099,10 @@ Reset deletes all current items from the list and fills the list with all circul Stop - + - + Direction Direcţia @@ -1112,15 +1112,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1145,8 +1145,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1156,6 +1154,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1371,11 +1371,11 @@ Reset deletes all current items from the list and fills the list with all circul Model - - + + The tool and its settings to be used for this operation @@ -1476,9 +1476,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Permis material - + Use Start Point Folosește punctul de pornire @@ -1734,9 +1734,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1776,8 +1776,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1792,14 +1792,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Casetă de încadrare - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1809,14 +1809,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1841,14 +1841,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1858,8 +1858,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Activează optimizarea căilor liniare (puncte co-liniare). Elimină puncte co-liniare inutile de la ieșirea prin codul G. @@ -1894,14 +1894,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Deplasare adâncime - + Step over A ieși din - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1910,14 +1910,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Intervalul de eșantionare - + Optimize Linear Paths Optimizare căi liniare @@ -2065,8 +2065,8 @@ Default: 3 mm Orientarea - + Type Tip @@ -2096,8 +2096,8 @@ Default: 3 mm TPI - + Operation Operațiune @@ -3018,8 +3018,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Raza @@ -3434,8 +3434,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4327,9 +4327,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Editare @@ -4471,8 +4472,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4492,8 +4493,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Alege o lucrare de traiectorie @@ -4597,7 +4598,6 @@ For example: List of custom property groups - int = field(default=None) Lista grupurilor de proprietăți personalizate @@ -4660,12 +4660,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4959,9 +4959,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5046,8 +5046,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5067,8 +5067,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5244,10 +5244,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5361,9 +5361,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5404,9 +5404,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5426,9 +5426,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5449,8 +5449,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5557,8 +5557,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5574,8 +5574,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5591,8 +5591,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5623,8 +5623,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6139,24 +6139,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6313,8 +6313,8 @@ For example: Select Probe Point File - + All Files (*.*) Toate fișierele (*.*) @@ -7045,14 +7045,14 @@ For example: PathProfile - + Outside În afara - + Inside În interior diff --git a/src/Mod/Path/Gui/Resources/translations/Path_ru.ts b/src/Mod/Path/Gui/Resources/translations/Path_ru.ts index b46bc4fb46af..d2e573a64f7c 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_ru.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_ru.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Очищает список базовых геометрий - + Add Добавить - - + + Remove Убрать @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Сбросить - + All objects will be processed using the same operation properties. Все объекты будут обработаны с использованием одинаковых свойств операции. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul Все места будут обработаны с использованием одинаковых операционных свойств. - + Start Depth Начальная глубина - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Начальная глубина операции. Самая высокая точка по оси Z, которую необходимо обработать. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Передайте значение Z выбранного объекта в качестве начальной глубины операции. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Глубина операции, которая соответствует наименьшему значению по оси Z, которое необходимо обработать операции. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Передайте значение Z выбранного объекта в качестве конечной глубины операции. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Глубина окончательного разреза операции. Может использоваться для получения более чистой отделки. - + Final Depth Конечная глубина - + Step Down Шаг вниз @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Высота зазора + - - - - + + - + + The tool and its settings to be used for this operation. Инструмент и его настройки, которые будут использоваться для этой операции. + + + - - - - + + + + - - - Coolant Mode Режим охлаждения @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Code - + + + + - - + - - - + - + + - - + Tool Controller Контроллер инструмента - - + + Coolant Охлаждающая жидкость @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Тип операции - + Step Over Percent Процент шага(подачи) @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Отделочное (чистовое) профилирование - + Use Outline Использовать контур @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Остановить - + - + Direction Направление @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul Направление, в котором выполняется профиль, по часовой или против часовой стрелки. + - CW По часовой - + CCW Против часовой стрелки @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Угловое соединение - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm мм @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Шаблон - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Допуск материала - + Use Start Point Использовать начальную точку @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Завершение траектории + - Layer Mode Режим слоя @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Тип сканирования - + Cut Pattern Вырезать шаблон @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Избегать последних X фасок - + Bounding Box Габариты - + Select the overall boundary for the operation. Выберите общую границу операции. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Планарное: плоское, трехмерной сканирование поверхности. Вращательное: 4-осное вращательное сканирование. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Завершите операцию за один проход на глубину или за несколько проходов до конечной глубины. - + Set the geometric clearing pattern to use for the operation. Установить шаблон геометрической очистки (чистовой обработки) для использования в операции. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Линии отреза создаются параллельно этой оси. - + Set the Z-axis depth offset from the target surface. Установите смещение глубины по оси Z от целевой поверхности. - + Set the sampling resolution. Smaller values quickly increase processing time. Установите разрешение выборки. Меньшие значения быстро увеличивают время обработки. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Установить в Истину если указывается начальная точка - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Включить оптимизацию линейных путей (коллинеарных точек). Удаляет ненужные коллинеарные точки из вывода G-кода. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Смещение Глубины - + Step over Шаг с обходом - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. Шаг свыше 100% приводит к отсутствию перекрытия между двумя разными циклами. - + Sample interval Пример интервала - + Optimize Linear Paths Оптимизация Линейных путей @@ -2058,8 +2058,8 @@ Default: 3 mm Ориентация - + Type Тип @@ -2089,8 +2089,8 @@ Default: 3 mm Шаг на дюйм - + Operation Операция @@ -3009,8 +3009,8 @@ Should multiple tools or tool shapes with the same name exist in different direc Использовать маппинг осей - + Radius Радиус @@ -3425,8 +3425,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Симулятор пути @@ -4314,9 +4314,10 @@ For example: Больше не показывать - + Edit + int = field(default=None) Редактировать @@ -4458,8 +4459,8 @@ For example: Непланарный адаптивный пуск также недоступен. - + %s is not a Base Model object of the job %s %s не является базовым объектом для задания %s @@ -4479,8 +4480,8 @@ For example: Обработать всю модель, выбранные грани или выбранные края - + Choose a Path Job Выбрать задание Path (траектория обработки детали) @@ -4584,7 +4585,6 @@ For example: List of custom property groups - int = field(default=None) Список групп пользовательских свойств @@ -4647,12 +4647,12 @@ For example: - - + + The base path to modify Базовый путь для модификации @@ -4946,9 +4946,9 @@ For example: Коллекция всех контроллеров инструментов для обработки - + Operations Cycle Time Estimation Оценка времени цикла операций @@ -5033,8 +5033,8 @@ For example: Номер отступа крепления - + Make False, to prevent operation from generating code Установите значение в False, чтобы предотвратить генерацию G-кода для операции @@ -5054,8 +5054,8 @@ For example: Влияет на точность и производительность - + Percent of cutter diameter to step over on each pass Процент диаметра фрезы, который необходимо преодолеть при каждом проходе @@ -5231,10 +5231,10 @@ For example: Начальная точка этой траектории - - + + Make True, if specifying a Start Point Установить в Истину, если указывается начальная точка @@ -5348,9 +5348,9 @@ For example: Применение отвода G99: отвод только на высоту отвода между отверстиями в этой операции + - Additional base objects to be engraved Дополнительные базовые объекты для гравировки @@ -5391,9 +5391,9 @@ For example: Радиус начала + - Extra value to stay away from final profile- good for roughing toolpath Дополнительное расстояние на котором нужно оставаться от финального профиля - хорош для черновых обработок @@ -5413,9 +5413,9 @@ For example: Исключить фрезеровку частей детали, приподнятых относительно выбранной поверхности. - - + + Choose how to process multiple Base Geometry features. Выберите способ обработки нескольких элементов базовой геометрии. @@ -5436,8 +5436,8 @@ For example: Обработать модель и заготовку без учета ранее заданных припусков, размеров заготовки. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Направление, в котором траектория должна проходить вокруг детали по часовой стрелке (по часовой стрелке) или против часовой стрелки (против часовой стрелки) @@ -5544,8 +5544,8 @@ For example: Установить в Истину, если используется компенсация радиуса инструмента - + Show the temporary path construction objects when module is in DEBUG mode. Показать объекты построения временного пути обработки, когда модуль находится в режиме DEBUG. @@ -5561,8 +5561,8 @@ For example: Задать конечную точку для траектории паза. - + Set the geometric clearing pattern to use for the operation. Установить шаблон геометрической очистки (чистовой обработки) для использования в операции. @@ -5578,8 +5578,8 @@ For example: Положительные расширяют конец траектории, отрицательные сокращают. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Завершите операцию за один проход на глубину или за несколько проходов до конечной глубины. @@ -5610,8 +5610,8 @@ For example: Включить обратное направление пути выреза паза. - + The custom start point for the path of this operation Пользовательская начальная точка пути этой операции @@ -6126,24 +6126,24 @@ For example: Path_Dressup - + Please select one path object Пожалуйста выберете один объект пути - + The selected object is not a path Выделенный объект не является траекторией обработки - + Please select a Path object Пожалуйста выберите траекторию @@ -6300,8 +6300,8 @@ For example: Выберите файл точки измерения - + All Files (*.*) Все файлы (*.*) @@ -7032,14 +7032,14 @@ For example: PathProfile - + Outside Снаружи - + Inside Внутри diff --git a/src/Mod/Path/Gui/Resources/translations/Path_sl.ts b/src/Mod/Path/Gui/Resources/translations/Path_sl.ts index 98a4474e21a0..c9c99b386169 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_sl.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_sl.ts @@ -713,17 +713,17 @@ Pri surovcih z očrtnim kvadrom izhodiščnega predmeta to pomeni dodaten materi Počisti seznam izhodiščnih geometrij - + Add Dodaj - - + + Remove Odstrani @@ -778,8 +778,8 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Ponastavi - + All objects will be processed using the same operation properties. Vsi predmeti bodo obdelani z dejanji, ki imajo enake lastnosti. @@ -824,32 +824,32 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Vsa mesta bodo obdelana z dejanji, ki imajo enake lastnosti. - + Start Depth Začetna globina - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Začetna globina dejanja. Najvišja točka na osi Z, ki jo mora dejanje obdelati. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Prenesi vrednost Z izbrane značilnosti kot začetno globino dejanja. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. Globina dejanja, ki odgovarja najnižji vrednosti na osi Z in jo mora dejanje obdelati. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Prenesi vrednost Z izbrane značilnosti kot končno globino dejanja. @@ -864,14 +864,14 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Globina zadnjega reza dejanja. Služi lahko doseganju gladkejše zaključne obdelave. - + Final Depth Končna globina - + Step Down Poglobitveni korak @@ -911,34 +911,34 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Prosta višina + - - - - + + - + + The tool and its settings to be used for this operation. Orodje in njegove nastavitve za to dejanje. + + + - - - - + + + + - - - Coolant Mode Hladilni način @@ -948,28 +948,28 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi G-koda - + + + + - - + - - - + - + + - - + Tool Controller Orodni krmilnik - - + + Coolant Hladilo @@ -989,8 +989,8 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Vrsta dejanja - + Step Over Percent Odstotek zmika @@ -1040,8 +1040,8 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Dokončevalni oris - + Use Outline Uporabi obris @@ -1096,10 +1096,10 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Ustavi - + - + Direction Smer @@ -1109,15 +1109,15 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Smer izvajanje orisa; v smeri urinega kazalca ali v nasprotni smeri urinega kazalca. + - CW SUK, v smeri urinega kazalca - + CCW NSUK, v nasprotni smeri urinega kazalca @@ -1142,8 +1142,6 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Spoj na zajero - - @@ -1153,6 +1151,8 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi + + mm mm @@ -1368,11 +1368,11 @@ Ponastavitev izbriše vse trenutne predmete s seznama in izpolni seznam z vsemi Vzorec - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Napuščeno gradivo - + Use Start Point Uporabi začetno točko @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Podaljšanje konca poti + - Layer Mode Plastni način @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Vrsta odčitavanja - + Cut Pattern Rezkalni vzorec @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Izogibanje zadnjim X ploskvam - + Bounding Box Očrtni kvader - + Select the overall boundary for the operation. Izberite skupno mejo za dejanje. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Ravninsko: Plosko, 3D odčitavanje površja. Sukajoče: optično prebiranje z vrtenjem okrog 4. osi. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Končaj dejanje v enem prehodu na globini ali postopno z večkratnim prehodom do končne globine. - + Set the geometric clearing pattern to use for the operation. Določi za opravilo geometrični vzorec čiščenja. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Poteze spustnega rezkanja bodo vzporedne tej osi. - + Set the Z-axis depth offset from the target surface. Določite globinski odmik od tarčnega povšja po osi Z. - + Set the sampling resolution. Smaller values quickly increase processing time. Določite ločlivost vzorčenja. Z manjšanjem vrednosti se hitro povečuje obdelovalni čas. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Mastavite na Resnično, za določanje začetne točke - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Omogoči optimiranje premih poti (sopreme točke). Odstrani iz izvoza G-Code nepotrebne sopreme točke. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Zamik globine - + Step over Zmik - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. Več kot stoodstotni zmik pomeni, da se pri ponovitvi vzorec ne prekriva. - + Sample interval Vzorčni korak - + Optimize Linear Paths Optimiraj preme poti @@ -2061,8 +2061,8 @@ Privzeto: 3 mm Usmerjenost - + Type Vrsta @@ -2092,8 +2092,8 @@ Privzeto: 3 mm NNP - + Operation Dejanje @@ -3014,8 +3014,8 @@ Navadno se priporoča uporabo odnosnih poti zaradi njihove prilagodljivosti in n Dodelava PreslikavaOsi - + Radius Polmer @@ -3430,8 +3430,8 @@ Navadno se priporoča uporabo odnosnih poti zaradi njihove prilagodljivosti in n TaskPathSimulator - + Path Simulator Priustvarjalnik poti @@ -4322,9 +4322,10 @@ For example: Ne prikazuj več tega - + Edit + int = field(default=None) Uredi @@ -4466,8 +4467,8 @@ For example: Tudi neravninsko prilagodljiv začetek ni na voljo. - + %s is not a Base Model object of the job %s %s ni osnovno modelni predmet opravila %s @@ -4487,8 +4488,8 @@ For example: Oriši celoten oblikovanec, izbrane ploskve ali izbrane robove - + Choose a Path Job Izberite opravilo poti @@ -4592,7 +4593,6 @@ For example: List of custom property groups - int = field(default=None) Seznam lastnostnih skupin po meri @@ -4655,12 +4655,12 @@ For example: - - + + The base path to modify Osnovna pot za spreminjanje @@ -4954,9 +4954,9 @@ For example: Nabor vseh orodnih krmilnikov za opravilo - + Operations Cycle Time Estimation Ocena časa cikla dejanja @@ -5041,8 +5041,8 @@ For example: Število odmika pritrdila - + Make False, to prevent operation from generating code Spremeni v Napak, da se opravilu prepreči ustvarjanje kode @@ -5062,8 +5062,8 @@ For example: Vpliva na natančnost in učinkovitost - + Percent of cutter diameter to step over on each pass Zmik pri vsakem prehodu, izražen v deležu premera rezalnika @@ -5239,10 +5239,10 @@ For example: Začetna točka te poti - - + + Make True, if specifying a Start Point Mastavite na Resnično za določanje začetne točke @@ -5356,9 +5356,9 @@ For example: Uveljavi vračanje G99: vračanje na višino vračanje med izvrtinami le v tem dejanju + - Additional base objects to be engraved Dodatni osnovni predmet, ki naj bo vrezan @@ -5399,9 +5399,9 @@ For example: Začetni polmer + - Extra value to stay away from final profile- good for roughing toolpath Dodatna vrednost za izogibanje končnemu profilu - primerno za pot orodja grobe obdelave @@ -5421,9 +5421,9 @@ For example: Izvzemi rezkanje dvignjenih površin znotraj ploskve. - - + + Choose how to process multiple Base Geometry features. Izberite, kako naj se obdeluje značilnosti več osnovnih geometrij. @@ -5444,8 +5444,8 @@ For example: Obdelaj obdelovanec in surovec z dejanjem brez izbrane izhodiščne geometrije. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) Smer, po kateri naj gre pot orodja okoli dela v SUK (smeri urinega kazalca) ali NSUK (nasprotni smeri urinega kazalca) @@ -5552,8 +5552,8 @@ For example: Nastavi na Prav, če se uporablja Popravek polmera rezkarja - + Show the temporary path construction objects when module is in DEBUG mode. Ko je modul v razhroščevalnem načinu, prikaži pomožni predmet za ustvarjanje poti. @@ -5569,8 +5569,8 @@ For example: Vnesite lastno končno točko utorove poti. - + Set the geometric clearing pattern to use for the operation. Določi za dejanje geometrični vzorec čiščenja. @@ -5586,8 +5586,8 @@ For example: Pozitivno podaljša konec poti, negativno pa ga skrajša. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Končaj dejanje v enem prehodu na globini ali postopno z večkratnim prehodom do končne globine. @@ -5618,8 +5618,8 @@ For example: Omogočite, če želite obrniti smer rezkanja utorove poti. - + The custom start point for the path of this operation Uporabniko določena začetna točka poti tega dejanja @@ -6134,24 +6134,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6308,8 +6308,8 @@ For example: Select Probe Point File - + All Files (*.*) Vse datoteke (*.*) @@ -7040,14 +7040,14 @@ For example: PathProfile - + Outside Zunaj - + Inside Znotraj diff --git a/src/Mod/Path/Gui/Resources/translations/Path_sr-CS.ts b/src/Mod/Path/Gui/Resources/translations/Path_sr-CS.ts index 293283c30b4b..2990769b93a7 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_sr-CS.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_sr-CS.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Dodaj - - + + Remove Ukloni @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Resetuj - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Kod - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant Rashladna tečnost @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Zaustavi - + - + Direction Pravac @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW SKS - + CCW SSKS @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Spoj pod 45 stepeni - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Step over - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Orijentacija - + Type Vrsta @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Poluprečnik @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Simulator putanje @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Uredi @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Sve Datoteke (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_sr.ts b/src/Mod/Path/Gui/Resources/translations/Path_sr.ts index 4b0716154f70..1a0ce1bfb202 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_sr.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_sr.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Додај - - + + Remove Уклони @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Ресетуј - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Код - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant Расхладна течност @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Заустави - + - + Direction Правац @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW СКС - + CCW ССКС @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Спој под 45 степени - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm мм @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Step over - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Оријентација - + Type Врста @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Полупречник @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Симулатор путање @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Уреди @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Све Датотеке (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_sv-SE.ts b/src/Mod/Path/Gui/Resources/translations/Path_sv-SE.ts index 3ea44109baae..0dbb0a3d19f7 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_sv-SE.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_sv-SE.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Lägg till - - + + Remove Ta bort @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Återställ - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant Kylmedel @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Slutför profil - + Use Outline Använd kontur @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Stopp - + - + Direction Riktning @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Mönster - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Använd startpunkt @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Lagerläge @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Klipp ut mönster @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Stega förbi - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Orientering - + Type Typ @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Radie @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Visa inte detta längre - + Edit + int = field(default=None) Redigera @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Alla filer (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Utanför - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_tr.ts b/src/Mod/Path/Gui/Resources/translations/Path_tr.ts index ccde145876e3..8ed27d30a21b 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_tr.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_tr.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Ekle - - + + Remove Kaldır @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Sıfırla - + All objects will be processed using the same operation properties. Tüm nesneler aynı işlem özellikleri kullanılarak işlenecektir. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul Tüm konumlar aynı işlem özellikleri kullanılarak işlenecektir. - + Start Depth Başlangıç Derinliği - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Bitiş Derinliği - + Step Down Aşağı Yönde Adım Atınız @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Aralık Yüksekliği + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Soğutucu Modu @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Kodu - + + + + - - + - - - + - + + - - + Tool Controller Araç Denetleyicisi - - + + Coolant Soğutma sıvısı @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul İşlem Türü - + Step Over Percent Yüzde üzerinden adımla @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Sonlandırma Profili - + Use Outline Dış Hattı Kullan @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Dur - + - + Direction Yön @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW Saat Yönü - + CCW Saat Yönünün Tersi @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Desen - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Malzemenin Toleransı - + Use Start Point Başlangıç Noktasını Kullan @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height İzin Sonunu Uzatınız + - Layer Mode Katman Kipi @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Tarama Türü - + Cut Pattern Kesme Deseni @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Son X Yüzeylerinden kaçın - + Bounding Box Kapsayan Kutu - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Derinlik sapması - + Step over Üzerinden atla - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Örnekle aralığı - + Optimize Linear Paths Doğrusal Yolları En İyi Hale Getir @@ -2062,8 +2062,8 @@ Default: 3 mm Yönlendirme - + Type Türü @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation İşlem @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc Eksen Eşlemesi Donatımı - + Radius Yarıçap @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator İz Simülatörü @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Düzenle @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Bir İz İşi Seçiniz @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Tüm dosyalar (*. *) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Dışarıda - + Inside İçeride diff --git a/src/Mod/Path/Gui/Resources/translations/Path_uk.ts b/src/Mod/Path/Gui/Resources/translations/Path_uk.ts index 1162e56d23e3..8fb7d26145ce 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_uk.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_uk.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Додати - - + + Remove Видалити @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Скинути - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Початкова глибина - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Остаточна глибина - + Step Down Розмір кроку @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Висота перешкод + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Інструмент - - + + Coolant Coolant @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Тип операції - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Стоп - + - + Direction Напрямок @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul Напрямок, в якому виконується профіль, за годинниковою стрілкою або проти годинникової стрілки. + - CW за годинниковою стрілкою - + CCW проти годинникової стрілки @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul З'єднання мітерів - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm мм @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Шаблон - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Використовувати початкову точку @@ -1732,9 +1732,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1774,8 +1774,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1790,14 +1790,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Обмежувальна рамка - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1807,14 +1807,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1839,14 +1839,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1856,8 +1856,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1892,14 +1892,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Крок за кроком - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1908,14 +1908,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2063,8 +2063,8 @@ Default: 3 mm Орієнтація - + Type Тип @@ -2094,8 +2094,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3016,8 +3016,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Радіус @@ -3432,8 +3432,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4325,9 +4325,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Правка @@ -4469,8 +4470,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4490,8 +4491,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4595,7 +4596,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4658,12 +4658,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4957,9 +4957,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5044,8 +5044,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5065,8 +5065,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5242,10 +5242,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5359,9 +5359,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5402,9 +5402,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5424,9 +5424,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5447,8 +5447,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5555,8 +5555,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5572,8 +5572,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5589,8 +5589,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5621,8 +5621,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6137,24 +6137,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6311,8 +6311,8 @@ For example: Select Probe Point File - + All Files (*.*) Всі файли (*.*) @@ -7043,14 +7043,14 @@ For example: PathProfile - + Outside Ззовні - + Inside Всередині diff --git a/src/Mod/Path/Gui/Resources/translations/Path_val-ES.ts b/src/Mod/Path/Gui/Resources/translations/Path_val-ES.ts index 43817aef9fd9..1c8827ace9d0 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_val-ES.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_val-ES.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add Afegir - - + + Remove Elimina @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul Reinicialitza - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth Start Depth - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth Final Depth - + Step Down Step Down @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode Coolant Mode @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G Gode - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant Coolant @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent Step Over Percent @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul Para - + - + Direction Direcció @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over Passa al següent - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm Orientació - + Type Tipus @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operació @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius Radi @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator Path Simulator @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) Edita @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) Tots els fitxers (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside Outside - + Inside Inside diff --git a/src/Mod/Path/Gui/Resources/translations/Path_zh-CN.ts b/src/Mod/Path/Gui/Resources/translations/Path_zh-CN.ts index b9c17c1b74d9..964157d97352 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_zh-CN.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_zh-CN.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all 清除基础几何图形列表 - + Add 添加 - - + + Remove 删除 @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul 重设 - + All objects will be processed using the same operation properties. 所有对象都将使用相同的加工属性进行处理。 @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul 所有位置都将使用相同的加工属性进行处理。 - + Start Depth 起始深度 - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. 加工的开始深度。加工需要处理的Z轴上的最高点。 - + Transfer the Z value of the selected feature as the Start Depth for the operation. 将选定特征的Z值传递为加工的“开始深度”。 - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. 与加工需要处理的Z轴上的最低值相对应的加工深度。 - + Transfer the Z value of the selected feature as the Final Depth for the operation. 将选定特征的Z值传递为加工的“最终深度”。 @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul 加工的最终切割深度。可用于生产更清洁的表面。 - + Final Depth 完工深度 - + Step Down 步长 @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul 净空高度 + - - - - + + - + + The tool and its settings to be used for this operation. 用于此加工的刀具及其设置。 + + + - - - - + + + + - - - Coolant Mode 冷却液模式 @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G代码 - + + + + - - + - - - + - + + - - + Tool Controller 刀具控制器 - - + + Coolant 冷却液 @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul 加工类型 - + Step Over Percent 步距百分比 @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul 精加工轮廓 - + Use Outline 使用轮廓 @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul 停止 - + - + Direction 方向 @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul 执行轮廓铣的方向,顺时针或逆时针。 + - CW 顺时针 - + CCW 逆时针 @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul 斜接 - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul 模式 - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height 材料余量 - + Use Start Point 使用起点 @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height 扩展刀轨终点 + - Layer Mode 分层模式 @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height 扫描类型 - + Cut Pattern 切割模式 @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height 避开最后X个面 - + Bounding Box 边界框 - + Select the overall boundary for the operation. 选择加工的总体边界。 @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height 平面:平面、三维表面扫描。旋转:4轴旋转扫描。 - + Complete the operation in a single pass at depth, or multiple passes to final depth. 仅一次便实现最终加工深度,或多次递进加工以实现最终深度。 - + Set the geometric clearing pattern to use for the operation. 设置用于加工的几何清除模式。 @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height 创建的Dropcutter线与该轴平行。 - + Set the Z-axis depth offset from the target surface. 设置相对于目标曲面的Z轴深度偏移。 - + Set the sampling resolution. Smaller values quickly increase processing time. 设置采样分辨率。较小的值会迅速增加处理时间。 @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height 如果指定起点,则设为True - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. 启用线性刀轨(共线点)的优化。从G代码输出中删除不必要的共线点。 @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height 深度偏移 - + Step over 步距 - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. 100%的步距导致两个不同循环之间没有重叠。 - + Sample interval 采样间隔 - + Optimize Linear Paths 优化线性刀轨 @@ -2062,8 +2062,8 @@ Default: 3 mm 方向 - + Type 类型 @@ -2093,8 +2093,8 @@ Default: 3 mm TPI(螺纹数/英寸) - + Operation 加工 @@ -3014,8 +3014,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius 半径 @@ -3430,8 +3430,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator 刀轨模拟器 @@ -4322,9 +4322,10 @@ For example: 不再显示 - + Edit + int = field(default=None) 编辑 @@ -4466,8 +4467,8 @@ For example: 非平面自适应启动也不可用。 - + %s is not a Base Model object of the job %s %s不是作业%s的基本模型对象 @@ -4487,8 +4488,8 @@ For example: 对整个模型、选定面或选定边进行轮廓铣 - + Choose a Path Job 选择一个刀轨作业 @@ -4592,7 +4593,6 @@ For example: List of custom property groups - int = field(default=None) 自定义特性组列表 @@ -4655,12 +4655,12 @@ For example: - - + + The base path to modify 要修改的基础刀轨 @@ -4954,9 +4954,9 @@ For example: 作业的所有刀具控制器的集合 - + Operations Cycle Time Estimation 加工周期时间估算 @@ -5041,8 +5041,8 @@ For example: 夹具偏移编号 - + Make False, to prevent operation from generating code 设为False,以防止加工生成代码 @@ -5062,8 +5062,8 @@ For example: 影响准确性和性能 - + Percent of cutter diameter to step over on each pass 每次通过时要跨过的刀具直径百分比 @@ -5239,10 +5239,10 @@ For example: 此刀轨的起点 - - + + Make True, if specifying a Start Point 如果指定起点,则设为True @@ -5356,9 +5356,9 @@ For example: 应用G99回缩:此加工中仅回缩到孔之间的回缩高度 + - Additional base objects to be engraved Additional base objects to be engraved @@ -5399,9 +5399,9 @@ For example: 起始半径 + - Extra value to stay away from final profile- good for roughing toolpath 远离最终轮廓的额外值——有利于粗加工刀具路径 @@ -5421,9 +5421,9 @@ For example: 不包括铣削面内的凸起区域。 - - + + Choose how to process multiple Base Geometry features. 选择如何处理多个基础几何体特征。 @@ -5444,8 +5444,8 @@ For example: 在未选择“基础几何图形”的情况下,在加工中处理模型和毛坯。 - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) 刀具路径围绕零件顺时针(CW)或逆时针(CCW)的方向 @@ -5552,8 +5552,8 @@ For example: 如果使用“刀具半径补偿”,则设为True - + Show the temporary path construction objects when module is in DEBUG mode. 当模块处于DEBUG模式时,显示临时刀轨构造对象。 @@ -5569,8 +5569,8 @@ For example: 输入拉槽刀轨的自定义终点。 - + Set the geometric clearing pattern to use for the operation. 设置用于加工的几何清除模式。 @@ -5586,8 +5586,8 @@ For example: 正值延伸刀轨的终点,负值缩短刀轨的终点。 - + Complete the operation in a single pass at depth, or multiple passes to final depth. 一次完成最终加工深度,或在多次递进加工完成最终深度。 @@ -5618,8 +5618,8 @@ For example: 启用以反转拉槽刀轨的切割方向。 - + The custom start point for the path of this operation 此加工刀轨的自定义起点 @@ -6134,24 +6134,24 @@ For example: Path_Dressup - + Please select one path object 请选择一个刀轨对象 - + The selected object is not a path 所选对象不是一个刀轨 - + Please select a Path object 请选择一个刀轨对象 @@ -6308,8 +6308,8 @@ For example: 选择探测点文件 - + All Files (*.*) 所有文件(*.*) @@ -7039,14 +7039,14 @@ For example: PathProfile - + Outside 外部 - + Inside 内部 diff --git a/src/Mod/Path/Gui/Resources/translations/Path_zh-TW.ts b/src/Mod/Path/Gui/Resources/translations/Path_zh-TW.ts index 50c67c4090e1..01b167d6285d 100644 --- a/src/Mod/Path/Gui/Resources/translations/Path_zh-TW.ts +++ b/src/Mod/Path/Gui/Resources/translations/Path_zh-TW.ts @@ -713,17 +713,17 @@ For stock from the Base object's bounding box it means the extra material in all Clears list of base geometries - + Add 新增 - - + + Remove 移除 @@ -778,8 +778,8 @@ Reset deletes all current items from the list and fills the list with all circul 重設 - + All objects will be processed using the same operation properties. All objects will be processed using the same operation properties. @@ -824,32 +824,32 @@ Reset deletes all current items from the list and fills the list with all circul All locations will be processed using the same operation properties. - + Start Depth 起始深度 - + Start Depth of the operation. The highest point in Z-axis the operation needs to process. Start Depth of the operation. The highest point in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Start Depth for the operation. Transfer the Z value of the selected feature as the Start Depth for the operation. - + The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. The depth of the operation which corresponds to the lowest value in Z-axis the operation needs to process. - + Transfer the Z value of the selected feature as the Final Depth for the operation. Transfer the Z value of the selected feature as the Final Depth for the operation. @@ -864,14 +864,14 @@ Reset deletes all current items from the list and fills the list with all circul Depth of the final cut of the operation. Can be used to produce a cleaner finish. - + Final Depth 最終深度 - + Step Down 步進深度 @@ -911,34 +911,34 @@ Reset deletes all current items from the list and fills the list with all circul Clearance Height + - - - - + + - + + The tool and its settings to be used for this operation. The tool and its settings to be used for this operation. + + + - - - - + + + + - - - Coolant Mode 冷卻劑模式 @@ -948,28 +948,28 @@ Reset deletes all current items from the list and fills the list with all circul G 碼 - + + + + - - + - - - + - + + - - + Tool Controller Tool Controller - - + + Coolant 冷卻劑 @@ -989,8 +989,8 @@ Reset deletes all current items from the list and fills the list with all circul Operation Type - + Step Over Percent 路徑重疊百分比 @@ -1040,8 +1040,8 @@ Reset deletes all current items from the list and fills the list with all circul Finishing Profile - + Use Outline Use Outline @@ -1096,10 +1096,10 @@ Reset deletes all current items from the list and fills the list with all circul 停止 - + - + Direction 方向 @@ -1109,15 +1109,15 @@ Reset deletes all current items from the list and fills the list with all circul The direction in which the profile is performed, clockwise or counterclockwise. + - CW CW - + CCW CCW @@ -1142,8 +1142,6 @@ Reset deletes all current items from the list and fills the list with all circul Miter joint - - @@ -1153,6 +1151,8 @@ Reset deletes all current items from the list and fills the list with all circul + + mm mm @@ -1368,11 +1368,11 @@ Reset deletes all current items from the list and fills the list with all circul Pattern - - + + The tool and its settings to be used for this operation @@ -1473,9 +1473,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Material Allowance - + Use Start Point Use Start Point @@ -1731,9 +1731,9 @@ The latter can be used to face of the entire stock area to ensure uniform height Extend Path End + - Layer Mode Layer Mode @@ -1773,8 +1773,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Scan Type - + Cut Pattern Cut Pattern @@ -1789,14 +1789,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Avoid Last X Faces - + Bounding Box Bounding Box - + Select the overall boundary for the operation. Select the overall boundary for the operation. @@ -1806,14 +1806,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Planar: Flat, 3D surface scan. Rotational: 4th-axis rotational scan. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -1838,14 +1838,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Dropcutter lines are created parallel to this axis. - + Set the Z-axis depth offset from the target surface. Set the Z-axis depth offset from the target surface. - + Set the sampling resolution. Smaller values quickly increase processing time. Set the sampling resolution. Smaller values quickly increase processing time. @@ -1855,8 +1855,8 @@ The latter can be used to face of the entire stock area to ensure uniform height Make True, if specifying a Start Point - + Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. Enable optimization of linear paths (co-linear points). Removes unnecessary co-linear points from G-code output. @@ -1891,14 +1891,14 @@ The latter can be used to face of the entire stock area to ensure uniform height Depth offset - + Step over 跨越 - + The amount by which the tool is laterally displaced on each cycle of the pattern, specified in percent of the tool diameter. A step over of 100% results in no overlap between two different cycles. @@ -1907,14 +1907,14 @@ A step over of 100% results in no overlap between two different cycles. A step over of 100% results in no overlap between two different cycles. - + Sample interval Sample interval - + Optimize Linear Paths Optimize Linear Paths @@ -2062,8 +2062,8 @@ Default: 3 mm 定位 - + Type 類型 @@ -2093,8 +2093,8 @@ Default: 3 mm TPI - + Operation Operation @@ -3015,8 +3015,8 @@ Should multiple tools or tool shapes with the same name exist in different direc AxisMap Dressup - + Radius 半徑 @@ -3431,8 +3431,8 @@ Should multiple tools or tool shapes with the same name exist in different direc TaskPathSimulator - + Path Simulator 路徑模擬 @@ -4324,9 +4324,10 @@ For example: Don't Show This Anymore - + Edit + int = field(default=None) 編輯 @@ -4468,8 +4469,8 @@ For example: The non-planar adaptive start is also unavailable. - + %s is not a Base Model object of the job %s %s is not a Base Model object of the job %s @@ -4489,8 +4490,8 @@ For example: Profile entire model, selected face(s) or selected edge(s) - + Choose a Path Job Choose a Path Job @@ -4594,7 +4595,6 @@ For example: List of custom property groups - int = field(default=None) List of custom property groups @@ -4657,12 +4657,12 @@ For example: - - + + The base path to modify The base path to modify @@ -4956,9 +4956,9 @@ For example: Collection of all tool controllers for the job - + Operations Cycle Time Estimation Operations Cycle Time Estimation @@ -5043,8 +5043,8 @@ For example: Fixture Offset Number - + Make False, to prevent operation from generating code Make False, to prevent operation from generating code @@ -5064,8 +5064,8 @@ For example: Influences accuracy and performance - + Percent of cutter diameter to step over on each pass Percent of cutter diameter to step over on each pass @@ -5241,10 +5241,10 @@ For example: The start point of this path - - + + Make True, if specifying a Start Point Make True, if specifying a Start Point @@ -5358,9 +5358,9 @@ For example: Apply G99 retraction: only retract to RetractHeight between holes in this operation + - Additional base objects to be engraved Additional base objects to be engraved @@ -5401,9 +5401,9 @@ For example: Starting Radius + - Extra value to stay away from final profile- good for roughing toolpath Extra value to stay away from final profile- good for roughing toolpath @@ -5423,9 +5423,9 @@ For example: Exclude milling raised areas inside the face. - - + + Choose how to process multiple Base Geometry features. Choose how to process multiple Base Geometry features. @@ -5446,8 +5446,8 @@ For example: Process the model and stock in an operation with no Base Geometry selected. - + The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) The direction that the toolpath should go around the part ClockWise (CW) or CounterClockWise (CCW) @@ -5554,8 +5554,8 @@ For example: Make True, if using Cutter Radius Compensation - + Show the temporary path construction objects when module is in DEBUG mode. Show the temporary path construction objects when module is in DEBUG mode. @@ -5571,8 +5571,8 @@ For example: Enter custom end point for slot path. - + Set the geometric clearing pattern to use for the operation. Set the geometric clearing pattern to use for the operation. @@ -5588,8 +5588,8 @@ For example: Positive extends the end of the path, negative shortens. - + Complete the operation in a single pass at depth, or multiple passes to final depth. Complete the operation in a single pass at depth, or multiple passes to final depth. @@ -5620,8 +5620,8 @@ For example: Enable to reverse the cut direction of the slot path. - + The custom start point for the path of this operation The custom start point for the path of this operation @@ -6136,24 +6136,24 @@ For example: Path_Dressup - + Please select one path object Please select one path object - + The selected object is not a path The selected object is not a path - + Please select a Path object Please select a Path object @@ -6310,8 +6310,8 @@ For example: Select Probe Point File - + All Files (*.*) 所有檔 (*.*) @@ -7042,14 +7042,14 @@ For example: PathProfile - + Outside 外面 - + Inside 裡面 diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot.ts b/src/Mod/Robot/Gui/Resources/translations/Robot.ts index 3c6badb3b00b..b19ef91df455 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection @@ -381,11 +381,11 @@ + - Select one Robot and one Trajectory object. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_be.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_be.ts index f9a98c9346ce..c76282a92eb1 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_be.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_be.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Няправільны выбар @@ -381,11 +381,11 @@ Абраць адзін Робат + - Select one Robot and one Trajectory object. Абраць адзін Робат і адну траекторыю аб'екта. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_ca.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_ca.ts index 5f8c645615c4..a02dfefd8259 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_ca.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_ca.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Selecció incorrecta @@ -381,11 +381,11 @@ Selecciona un Robot + - Select one Robot and one Trajectory object. Selecciona un Robot i un objecte de trajectòria. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_cs.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_cs.ts index 5642dcf410c0..561a969ce613 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_cs.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_cs.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Neplatný výběr @@ -381,11 +381,11 @@ Vyberte robota + - Select one Robot and one Trajectory object. Vyberte jednoho robota a objekt jedné trakjektorie. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_de.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_de.ts index e31671a77fe3..22e49eaf5e87 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_de.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_de.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Falsche Auswahl @@ -381,11 +381,11 @@ Einen Roboter auswählen + - Select one Robot and one Trajectory object. Wählen Sie einen Roboter und eine Bewegungsbahn. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_el.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_el.ts index 8da49c9e66fd..6fc0886aaec0 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_el.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_el.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Λάθος επιλογή @@ -381,11 +381,11 @@ Επιλέξτε ένα Ρομπότ + - Select one Robot and one Trajectory object. Επιλέξτε ένα Ρομπότ και ένα Αντικείμενο Τροχιάς. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_es-AR.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_es-AR.ts index 687d00e64262..da049fd396ea 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_es-AR.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_es-AR.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Selección Incorrecta @@ -381,11 +381,11 @@ Seleccionar un Robot + - Select one Robot and one Trajectory object. Seleccione un Robot y un objeto de Trayectoria. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_es-ES.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_es-ES.ts index d64118f388fd..e5b14c54e49e 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_es-ES.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_es-ES.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Selección incorrecta @@ -381,11 +381,11 @@ Seleccione un Robot + - Select one Robot and one Trajectory object. Seleccione un robot y un objeto trayectoria. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_eu.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_eu.ts index 79c1f97bd4ff..3f65cc6252e4 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_eu.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_eu.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Hautapen okerra @@ -381,11 +381,11 @@ Hautatu robot bat + - Select one Robot and one Trajectory object. Hautatu robot bat eta ibilbide-objektu bat. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_fi.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_fi.ts index 8cf2cc0a6a67..deac431050a8 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_fi.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_fi.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Väärä valinta @@ -381,11 +381,11 @@ Valitse yksi robotti + - Select one Robot and one Trajectory object. Valitse yksi robotti ja yksi liikeradan objekti. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_fr.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_fr.ts index fae14135ffa7..48b5cd1ab780 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_fr.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_fr.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Mauvaise sélection @@ -381,11 +381,11 @@ Sélectionnez un robot + - Select one Robot and one Trajectory object. Sélectionnez un robot et une trajectoire. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_gl.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_gl.ts index 1a27322382b3..66eb63a7b5d0 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_gl.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_gl.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Escolma errada @@ -381,11 +381,11 @@ Escolmar un Robot + - Select one Robot and one Trajectory object. Escolmar un robot mais un obxecto traxectoria. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_hr.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_hr.ts index 1f7cf55b61e8..674e89910e5a 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_hr.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_hr.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Pogrešan odabir @@ -381,11 +381,11 @@ Odaberite jedan Robot + - Select one Robot and one Trajectory object. Odaberite jedan robot i jedanu putanju objekta. @@ -819,7 +819,7 @@ Type - Tip + Vrsta diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_hu.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_hu.ts index 670290542bbf..f005c5e35d25 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_hu.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_hu.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Rossz kiválasztás @@ -381,11 +381,11 @@ Válasszon ki egy robotot + - Select one Robot and one Trajectory object. Egy Robot és egy útvonal objektum kijelölése. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_id.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_id.ts index 0bff82612812..7c543b659bd4 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_id.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_id.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Pilihan salah @@ -381,11 +381,11 @@ Pilih satu Robot + - Select one Robot and one Trajectory object. Pilih satu Robot dan satu objek lintasan. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_it.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_it.ts index 4414eca53732..db5bd6146207 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_it.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_it.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Selezione errata @@ -381,11 +381,11 @@ Selezionare un Robot + - Select one Robot and one Trajectory object. Selezionare un Robot e un oggetto Traiettoria. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_ja.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_ja.ts index 28c7b889b424..7919f39aab1e 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_ja.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_ja.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection 誤った選択 @@ -381,11 +381,11 @@ 1台のロボットを選択する + - Select one Robot and one Trajectory object. 1 つのロボットと軌道オブジェクトを 1 つ選択します。 diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_ka.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_ka.ts index 33aaaeaf20e2..37bc1b6f9d0b 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_ka.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_ka.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection არასწორი არჩევანი @@ -381,11 +381,11 @@ ერთი რობოტის ჩასმა + - Select one Robot and one Trajectory object. აირჩიეთ ერთი რობოტი და ერთი ტრაექტორიის ობიექტი. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_ko.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_ko.ts index 89a27ec4f4e8..204759c62cc4 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_ko.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_ko.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection 잘못 된 선택 @@ -381,11 +381,11 @@ 로봇 하나 선택하기 + - Select one Robot and one Trajectory object. Select one Robot and one Trajectory object. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_nl.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_nl.ts index f48b0abaa8b2..fd51839b2f2c 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_nl.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_nl.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Verkeerde selectie @@ -381,11 +381,11 @@ Selecteer een Robot + - Select one Robot and one Trajectory object. Selecteer één robot en één traject-object. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_pl.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_pl.ts index 4d508b567947..1943bfd16f28 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_pl.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_pl.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Nieprawidłowy wybór @@ -381,11 +381,11 @@ Zaznacz jednego Robota + - Select one Robot and one Trajectory object. Wybierz jednego robota i jedną trasę pracy. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_pt-BR.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_pt-BR.ts index 252d55dbadf2..4fa4def969b9 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_pt-BR.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_pt-BR.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Seleção errada @@ -381,11 +381,11 @@ Selecione um robô + - Select one Robot and one Trajectory object. Selecione um robô e uma trajetória. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_pt-PT.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_pt-PT.ts index 423305db44e6..01eaf72e6374 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_pt-PT.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_pt-PT.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Seleção errada @@ -381,11 +381,11 @@ Selecione um robô + - Select one Robot and one Trajectory object. Selecionar um Robô e um Objeto da Trajetória diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_ro.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_ro.ts index ff7463f7040a..9f289d875e9e 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_ro.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_ro.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Selecţie greşită @@ -381,11 +381,11 @@ Selectaţi un Robot + - Select one Robot and one Trajectory object. Selectaţi un obiect Robot şi un obiect de Traiectorie. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_ru.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_ru.ts index 6135b1bfc678..6071e0458bca 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_ru.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_ru.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Неверный выбор @@ -381,11 +381,11 @@ Выберите одного робота + - Select one Robot and one Trajectory object. Выберите робота и траекторию движения. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_sl.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_sl.ts index 26ebc501ec58..82c6f1712b6c 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_sl.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_sl.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Napačen izbor @@ -381,11 +381,11 @@ Izberite enega robota + - Select one Robot and one Trajectory object. Izberite enega robota in eno pot @@ -824,7 +824,7 @@ Name - Ime + Naziv diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_sr-CS.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_sr-CS.ts index 9f6528770375..f2e30d1d47e9 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_sr-CS.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_sr-CS.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Pogrešan izbor @@ -381,11 +381,11 @@ Izaberi jednog Robota + - Select one Robot and one Trajectory object. Izaberi jednog Robota i jedan objekat Putanje. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_sr.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_sr.ts index 5fb684d63f06..11c7752ed119 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_sr.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_sr.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Погрешан избор @@ -381,11 +381,11 @@ Изабери једног Робота + - Select one Robot and one Trajectory object. Изабери једног Робота и један објекат Путање. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_sv-SE.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_sv-SE.ts index 2ecf140b293a..6d0078dd1f4d 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_sv-SE.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_sv-SE.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Fel val @@ -381,11 +381,11 @@ Välj en Robot + - Select one Robot and one Trajectory object. Välj en robot och ett banobjekt. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_tr.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_tr.ts index 8dbaf3739fdf..e0743df78bf4 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_tr.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_tr.ts @@ -357,17 +357,17 @@ QObject + + + + + - - - - - Wrong selection Yanlış seçim @@ -382,11 +382,11 @@ Bir Robot seç + - Select one Robot and one Trajectory object. Bir Robot ve bir Yörünge nesnesi seçin. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_uk.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_uk.ts index d3d607219c32..fbd1e18c77b4 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_uk.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_uk.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Невірний вибір @@ -381,11 +381,11 @@ Оберіть одного Робота + - Select one Robot and one Trajectory object. Виберіть один робот і одну траєкторію об'єкта. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_val-ES.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_val-ES.ts index f4ff3052785d..e57253638a9b 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_val-ES.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_val-ES.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection Selecció incorrecta @@ -381,11 +381,11 @@ Seleccioneu un robot + - Select one Robot and one Trajectory object. Seleccioneu un robot i una trajectòria diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_zh-CN.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_zh-CN.ts index fdb1f14e538c..a71e9b695565 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_zh-CN.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_zh-CN.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection 选择错误 @@ -381,11 +381,11 @@ 选择一个机器人 + - Select one Robot and one Trajectory object. 选择一个机器人和一个轨迹对象. diff --git a/src/Mod/Robot/Gui/Resources/translations/Robot_zh-TW.ts b/src/Mod/Robot/Gui/Resources/translations/Robot_zh-TW.ts index 6ed8841aeb80..0a7ea720effe 100644 --- a/src/Mod/Robot/Gui/Resources/translations/Robot_zh-TW.ts +++ b/src/Mod/Robot/Gui/Resources/translations/Robot_zh-TW.ts @@ -356,17 +356,17 @@ QObject + + + + + - - - - - Wrong selection 錯誤的選取 @@ -381,11 +381,11 @@ 選取一機器人 + - Select one Robot and one Trajectory object. 選取一個機器人和一軌跡物件 diff --git a/src/Mod/Sketcher/App/Sketch.cpp b/src/Mod/Sketcher/App/Sketch.cpp index 315676f99c7e..bf68f40fae7e 100644 --- a/src/Mod/Sketcher/App/Sketch.cpp +++ b/src/Mod/Sketcher/App/Sketch.cpp @@ -197,7 +197,7 @@ int Sketch::setUpSketch(const std::vector& GeoList, const std::vector& ConstraintList, int extGeoCount) { - Base::TimeInfo start_time; + Base::TimeElapsed start_time; clear(); @@ -339,10 +339,10 @@ int Sketch::setUpSketch(const std::vector& GeoList, calculateDependentParametersElements(); if (debugMode == GCS::Minimal || debugMode == GCS::IterationLevel) { - Base::TimeInfo end_time; + Base::TimeElapsed end_time; Base::Console().Log("Sketcher::setUpSketch()-T:%s\n", - Base::TimeInfo::diffTime(start_time, end_time).c_str()); + Base::TimeElapsed::diffTime(start_time, end_time).c_str()); } return GCSsys.dofsNumber(); @@ -4538,21 +4538,21 @@ bool Sketch::updateNonDrivingConstraints() int Sketch::solve() { - Base::TimeInfo start_time; + Base::TimeElapsed start_time; std::string solvername; auto result = internalSolve(solvername); - Base::TimeInfo end_time; + Base::TimeElapsed end_time; if (debugMode == GCS::Minimal || debugMode == GCS::IterationLevel) { Base::Console().Log("Sketcher::Solve()-%s-T:%s\n", solvername.c_str(), - Base::TimeInfo::diffTime(start_time, end_time).c_str()); + Base::TimeElapsed::diffTime(start_time, end_time).c_str()); } - SolveTime = Base::TimeInfo::diffTimeF(start_time, end_time); + SolveTime = Base::TimeElapsed::diffTimeF(start_time, end_time); return result; } diff --git a/src/Mod/Sketcher/App/planegcs/GCS.cpp b/src/Mod/Sketcher/App/planegcs/GCS.cpp index b5b7600189f7..cb87fc58923b 100644 --- a/src/Mod/Sketcher/App/planegcs/GCS.cpp +++ b/src/Mod/Sketcher/App/planegcs/GCS.cpp @@ -5043,7 +5043,7 @@ int System::diagnose(Algorithm alg) if (qrAlgorithm == EigenDenseQR) { #ifdef PROFILE_DIAGNOSE - Base::TimeInfo DenseQR_start_time; + Base::TimeElapsed DenseQR_start_time; #endif if (J.rows() > 0) { int rank = 0; // rank is not cheap to retrieve from qrJT in DenseQR @@ -5101,9 +5101,9 @@ int System::diagnose(Algorithm alg) } } #ifdef PROFILE_DIAGNOSE - Base::TimeInfo DenseQR_end_time; + Base::TimeElapsed DenseQR_end_time; - auto SolveTime = Base::TimeInfo::diffTimeF(DenseQR_start_time, DenseQR_end_time); + auto SolveTime = Base::TimeElapsed::diffTimeF(DenseQR_start_time, DenseQR_end_time); Base::Console().Log("\nDenseQR - Lapsed Time: %f seconds\n", SolveTime); #endif @@ -5112,7 +5112,7 @@ int System::diagnose(Algorithm alg) #ifdef EIGEN_SPARSEQR_COMPATIBLE else if (qrAlgorithm == EigenSparseQR) { #ifdef PROFILE_DIAGNOSE - Base::TimeInfo SparseQR_start_time; + Base::TimeElapsed SparseQR_start_time; #endif if (J.rows() > 0) { int rank = 0; @@ -5178,9 +5178,9 @@ int System::diagnose(Algorithm alg) } #ifdef PROFILE_DIAGNOSE - Base::TimeInfo SparseQR_end_time; + Base::TimeElapsed SparseQR_end_time; - auto SolveTime = Base::TimeInfo::diffTimeF(SparseQR_start_time, SparseQR_end_time); + auto SolveTime = Base::TimeElapsed::diffTimeF(SparseQR_start_time, SparseQR_end_time); Base::Console().Log("\nSparseQR - Lapsed Time: %f seconds\n", SolveTime); #endif diff --git a/src/Mod/Sketcher/Gui/EditModeConstraintCoinManager.cpp b/src/Mod/Sketcher/Gui/EditModeConstraintCoinManager.cpp index 0af1df62e6e4..04fc7cdaa856 100644 --- a/src/Mod/Sketcher/Gui/EditModeConstraintCoinManager.cpp +++ b/src/Mod/Sketcher/Gui/EditModeConstraintCoinManager.cpp @@ -1749,9 +1749,11 @@ void EditModeConstraintCoinManager::updateConstraintColor( SoMaterial* m = nullptr; if (!hasDatumLabel && type != Sketcher::Coincident && type != Sketcher::InternalAlignment) { - hasMaterial = true; - m = static_cast( - s->getChild(static_cast(ConstraintNodePosition::MaterialIndex))); + int matIndex = static_cast(ConstraintNodePosition::MaterialIndex); + if (matIndex < s->getNumChildren()) { + hasMaterial = true; + m = static_cast(s->getChild(matIndex)); + } } auto selectpoint = [this, pcolor, PtNum](int geoid, Sketcher::PointPos pos) { diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts index 351d2e57fa33..fb5169dee2b3 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher.ts @@ -2149,8 +2149,8 @@ invalid constraints, degenerated geometry, etc. - + Add auto constraints @@ -2403,8 +2403,20 @@ invalid constraints, degenerated geometry, etc. + + + + + + + + + + + + @@ -2524,15 +2536,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2550,9 +2553,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection @@ -2702,9 +2702,9 @@ invalid constraints, degenerated geometry, etc. - + Error @@ -3104,9 +3104,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c + - CAD Kernel Error @@ -6047,39 +6047,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error @@ -6115,6 +6115,9 @@ The grid spacing change if it becomes smaller than this number of pixel. + + + @@ -6122,9 +6125,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6166,8 +6166,8 @@ The grid spacing change if it becomes smaller than this number of pixel. - + Error creating B-spline @@ -6223,17 +6223,17 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - - - - - + + + + + + + Tool execution aborted @@ -6268,9 +6268,9 @@ The grid spacing change if it becomes smaller than this number of pixel. - + Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts index 9b362cd95429..479e537d89ec 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_be.ts @@ -163,7 +163,7 @@ Creates a clone of the geometry taking as reference the last selected point - Стварае клон геаметрыі, у якасці эталону ўжывае апошнюю абраную кропку + Стварае дублікат геаметрыі, у якасці эталону ўжывае апошнюю абраную кропку @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Па цэнтральнай і канчатковых кропках Endpoints and rim point - Endpoints and rim point + Па канчатковых кропках і датычнай кропцы @@ -240,27 +240,27 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Эліпс па цэнтральнай кропцы, радыусе, датычнай кропцы Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Эліпс па канчатковых кропках восі, датычнай кропцы Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Дуга эліпсу па цэнтральнай кропцы, радыусу, канчатковых кропках Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Дуга гіпербалы па цэнтры, вяршыні, канчатковых кропках Arc of parabola by focus, vertex, endpoints - Дуга парабалы па фокусу, вяршыні, канчатковым кропкам + Дуга парабалы па фокусу, вяршыні, канчатковых кропках @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Акругленне эскізу з захаваннем кутоў @@ -579,7 +579,7 @@ on the selected vertex Create a refraction law (Snell's law)constraint between two endpoints of rays and an edge as an interface. - Стварыць абмежаванне па закону праламлення свету (закон Снеліуса) паміж дзвюма канчатковымі кропкамі прамянёў і рабром у якасці мяжы падзелу асяроддзя. + Стварыць абмежаванне па закону праламлення свету (закон Снеліуса) паміж дзвюма канчатковых кропак прамянёў і рабром у якасці мяжы падзелу асяроддзя. @@ -658,7 +658,7 @@ with respect to a line or a third point Create an arc by its end points and a point along the arc - Стварыць дугу па яе канчатковым кропках і кропку наўздоўж дугі + Стварыць дугу па яе канчатковых кропках і кропку наўздоўж дугі @@ -2153,8 +2153,8 @@ invalid constraints, degenerated geometry, etc. Абнавіць абмежаванне віртуальнай прасторы - + Add auto constraints Дадаць аўтаматычныя абмежаванні @@ -2407,8 +2407,20 @@ invalid constraints, degenerated geometry, etc. Не прымацаваць + + + + + + + + + + + + @@ -2528,15 +2540,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2554,9 +2557,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Няправільны выбар @@ -2706,9 +2706,9 @@ invalid constraints, degenerated geometry, etc. Колькасць абраных аб'ектаў не 3 - + Error Памылка @@ -3054,7 +3054,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Cannot add a symmetry constraint between a line and its end points. - Не атрымалася дадаць абмежаванне сіметрыі паміж лініяй і яе канчатковымі кропкамі. + Не атрымалася дадаць абмежаванне сіметрыі паміж лініяй і яе канчатковых кропках. @@ -3062,7 +3062,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Cannot add a symmetry constraint between a line and its end points! - Не атрымалася дадаць абмежаванне сіметрыі паміж лініяй і яе канчатковымі кропкамі! + Не атрымалася дадаць абмежаванне сіметрыі паміж лініяй і яе канчатковых кропак! @@ -3112,9 +3112,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Вызначыць ступень B-сплайну, паміж 1 і %1: + - CAD Kernel Error Памылка ядра CAD @@ -5269,7 +5269,7 @@ This is done by analyzing the sketch geometries and constraints. Creates a clone of the geometry taking as reference the last selected point - Стварае дублікат геаметрыі, у якасці эталону ўжывае апошнюю абраную кропку + Стварае клон геаметрыі, у якасці эталону ўжывае апошнюю абраную кропку @@ -6100,39 +6100,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Памылка @@ -6168,6 +6168,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Абмежаванне змяшчае недапушчальную інфармацыю аб індэксе і з'яўляецца скажоным. + + + @@ -6175,9 +6178,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6219,8 +6219,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Памылка стварэння полюса B-сплайну - + Error creating B-spline Памылка стварэння B-сплайну @@ -6276,17 +6276,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Немагчыма дадаць лінію - - - - - - - + + + + + + + Tool execution aborted Выкананне інструмента перапынена @@ -6321,9 +6321,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Немагчыма абрэзаць рабро - + Value Error Памылка значэння @@ -6774,7 +6774,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Стварыце два прастакутніка з пастаянным зрушэннем. @@ -7289,7 +7289,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Стварыць дугу па яе цэнтральнай кропцы і па яе канчатковых кропках @@ -7298,7 +7298,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Стварыць дугу па яе канчатковых кропках і кропку наўздоўж дугі @@ -7307,7 +7307,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Стварыце эліпс па яго цэнтральнай кропцы, аднаму з яго радыусаў і датычнай кропцы @@ -7316,7 +7316,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Стварыце эліпс па цэнтральнай кропцы, аднаму з яго восей і датычнай кропцы @@ -7325,7 +7325,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Стварыць дугу эліпса па яе цэнтральнай кропцы, аднаму з яго радыусаў і яе канчатковых кропках @@ -7334,7 +7334,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Стварыць дугу гіпербалы па яе цэнтральнай кропцы, вяршыні і канчатковых кропках @@ -7343,7 +7343,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Стварыць дугу парабалы па яе фокусу, вяршыні і канчатковых кропках diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts index 4d816224591b..980e440bc913 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ca.ts @@ -2156,8 +2156,8 @@ restriccions invàlides, geometries degenerades, etc. Actualitza l'espai virtual de la restricció - + Add auto constraints Afegeix restriccions automàtiques @@ -2410,8 +2410,20 @@ restriccions invàlides, geometries degenerades, etc. No adjuntar + + + + + + + + + + + + @@ -2531,15 +2543,6 @@ restriccions invàlides, geometries degenerades, etc. - - - - - - - - - @@ -2557,9 +2560,6 @@ restriccions invàlides, geometries degenerades, etc. - - - Wrong selection Selecció incorrecta @@ -2709,9 +2709,9 @@ restriccions invàlides, geometries degenerades, etc. Number of selected objects is not 3 - + Error Error @@ -3111,9 +3111,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Definiu el grau B-Spline, entre 1 i %1: + - CAD Kernel Error Error del nucli del CAD @@ -6086,39 +6086,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Error @@ -6154,6 +6154,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6161,9 +6164,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6205,8 +6205,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6262,17 +6262,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6307,9 +6307,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts index 58fb73b8aff0..43426a9bee74 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_cs.ts @@ -2157,8 +2157,8 @@ neplatných vazeb, degenerované geometrie atd. Aktualizovat virtuální prostor vazby - + Add auto constraints Přidat automatické vazby @@ -2411,8 +2411,20 @@ neplatných vazeb, degenerované geometrie atd. Nelze připojit + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ neplatných vazeb, degenerované geometrie atd. - - - - - - - - - @@ -2558,9 +2561,6 @@ neplatných vazeb, degenerované geometrie atd. - - - Wrong selection Neplatný výběr @@ -2710,9 +2710,9 @@ neplatných vazeb, degenerované geometrie atd. Počet vybraných objektů není 3 - + Error Chyba @@ -3116,9 +3116,9 @@ Přijatelné kombinace: dvě křivky; koncový bod a křivka; dva koncové body; Definovat stupeň B-Splajnu mezi 1 a %1: + - CAD Kernel Error Chyba jádra CADu @@ -6100,39 +6100,39 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Chyba @@ -6168,6 +6168,9 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů.Omezení má neplatné informace o indexu a je chybné. + + + @@ -6175,9 +6178,6 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů. - - - Invalid Constraint @@ -6219,8 +6219,8 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů.Chyba při vytváření B-splajn pole - + Error creating B-spline Chyba při vytváření B-splajnu @@ -6276,17 +6276,17 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů.Přidání řádku se nezdařilo - - - - - - - + + + + + + + Tool execution aborted Spuštění nástroje přerušeno @@ -6321,9 +6321,9 @@ Rozteč mřížky se změní, pokud bude menší než tento počet pixelů.Nepodařilo se oříznout okraj - + Value Error Chyba v hodnotě diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts index 611478e7e370..bec3dfb6d532 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_de.ts @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Mittel- und Endpunkte Endpoints and rim point - Endpoints and rim point + Endpunkte und Punkt auf Kreisbogen @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Ellipse durch Angabe von Mittelpunkt, Hauptradius und Punkt auf Kreisbogen Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Ellipse durch Angabe von Achsen-Endpunkte und Punkt auf Kreisbogen Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Ellipsenbogen durch Angabe von Mittelpunkt, Hauptradius und Endpunkte Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Hyperbelbogen durch Angabe von Mittelpunkt, Fokuspunkt und Endpunkte @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Randbedingungsserhaltende Verrundung @@ -784,7 +784,7 @@ with respect to a line or a third point Create fillet - Abrundung erstellen + Verrundung erstellen @@ -2035,7 +2035,7 @@ ungültigen Einschränkungen, degenerierten Geometrien, etc überprüfen. Create fillet - Verrundung erstellen + Abrundung erstellen @@ -2156,8 +2156,8 @@ ungültigen Einschränkungen, degenerierten Geometrien, etc überprüfen.Virtuellen Raum der Einschränkungen aktualisieren - + Add auto constraints Automatische Randbedingungen hinzufügen @@ -2410,8 +2410,20 @@ ungültigen Einschränkungen, degenerierten Geometrien, etc überprüfen.Nicht anhängen + + + + + + + + + + + + @@ -2531,15 +2543,6 @@ ungültigen Einschränkungen, degenerierten Geometrien, etc überprüfen. - - - - - - - - - @@ -2557,9 +2560,6 @@ ungültigen Einschränkungen, degenerierten Geometrien, etc überprüfen. - - - Wrong selection Falsche Auswahl @@ -2709,9 +2709,9 @@ ungültigen Einschränkungen, degenerierten Geometrien, etc überprüfen.Die Anzahl der ausgewählten Objekte ist nicht 3 - + Error Fehler @@ -3115,9 +3115,9 @@ Akzeptierte Kombinationen: zwei Kurven; Ein Endpunkt und eine Kurve; Zwei Endpun B-Spline-Grad, zwischen 1 und %1 festlegen: + - CAD Kernel Error CAD-Kernel-Fehler @@ -4756,7 +4756,7 @@ Es wurden keine Beschränkungen zu diesen Punkten gefunden. Construction - Konstruktion + Hilfsgeometrie @@ -6095,41 +6095,41 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error - Fehler + Fehlermeldungen @@ -6163,6 +6163,9 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< Die Randbedingng hat eine ungültige Indexierung und ist fehlerhaft. + + + @@ -6170,9 +6173,6 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< - - - Invalid Constraint @@ -6214,8 +6214,8 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< Fehler beim Erstellen des B-spline Kontrollpunktes - + Error creating B-spline Fehler beim Erstellen des B-splines @@ -6271,17 +6271,17 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< Linie hinzufügen fehlgeschlagen - - - - - - - + + + + + + + Tool execution aborted Werkzeugausführung abgebrochen @@ -6316,9 +6316,9 @@ Die Rasterweite ändert sich, wenn er kleiner als diese Anzahl von Pixeln wird.< Trimmen der Kante fehlgeschlagen - + Value Error Wertfehler @@ -6535,7 +6535,7 @@ Punkte müssen näher als ein Fünftel der Rasterweite an eine Rasterlinie geset Dimension - Bemaßung + Abmessung @@ -6565,7 +6565,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Dimension - Abmessung + Bemaßung @@ -6757,7 +6757,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Zwei Rechtecke mit einem konstanten Versatz erstellen. @@ -6864,7 +6864,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Appearance - Darstellung + Erscheinungsbild @@ -7268,7 +7268,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Kreisbogen mit Mittelpunkt und durch die Endpunkte erstellen @@ -7277,7 +7277,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Kreisbogen durch die Endpunkte und einen Punkt auf dem Bogen erzeugen @@ -7286,7 +7286,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Ellipse durch den Mittelpunkt, einen Radius und einen Punkt auf dem Kreisbogen erzeugen @@ -7295,7 +7295,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Ellipse durch dei Endpunkte einer Achse und einen Punkt auf dem Kreisbogen erzeugen @@ -7304,7 +7304,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Ellipsenbogen durch Mittelpunkt, einen Radius und den Endpunkten erzeugen @@ -7313,7 +7313,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Hyperbelbogen durch Angabe von Mittelpunkt, Fokuspunkt und Endpunkte erzeugen @@ -7322,7 +7322,7 @@ Ein Linksklick auf einen leeren Bereich, bestätigt die aktuell vorausgewählte Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Parabelbogen durch Fokus, Scheitelpunkt sowie den Endpunkten erzeugen diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts index b14150683e59..ebc1a8fcc872 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_el.ts @@ -2156,8 +2156,8 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Προσθήκη αυτόματων περιορισμών @@ -2411,8 +2411,20 @@ invalid constraints, degenerated geometry, etc. Να μην πραγματοποιηθεί επισύναψη + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2558,9 +2561,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Λάθος επιλογή @@ -2710,9 +2710,9 @@ invalid constraints, degenerated geometry, etc. Number of selected objects is not 3 - + Error Σφάλμα @@ -3116,9 +3116,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error Σφάλμα Πυρήνα CAD @@ -6098,39 +6098,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Σφάλμα @@ -6166,6 +6166,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6173,9 +6176,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6217,8 +6217,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6274,17 +6274,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6319,9 +6319,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-AR.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-AR.ts index 073809a21ec6..1a672140ad65 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-AR.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-AR.ts @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Centro y puntos finales Endpoints and rim point - Endpoints and rim point + Puntos finales y punto de borde @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Elipse por centro, radio, punto de borde Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Elipse por puntos finales del eje, punto del borde Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Arco de elipse por centro, radio, puntos finales Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Arco de hipérbola por centro, vértices, puntos finales @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Redondeo de croquis que conserva las esquinas @@ -2158,8 +2158,8 @@ restricciones inválidas, geometrías degeneradas, etc. Actualizar el espacio virtual de la restricción - + Add auto constraints Añadir restricciones automáticas @@ -2412,8 +2412,20 @@ restricciones inválidas, geometrías degeneradas, etc. No adjuntar + + + + + + + + + + + + @@ -2533,15 +2545,6 @@ restricciones inválidas, geometrías degeneradas, etc. - - - - - - - - - @@ -2559,9 +2562,6 @@ restricciones inválidas, geometrías degeneradas, etc. - - - Wrong selection Selección Incorrecta @@ -2711,9 +2711,9 @@ restricciones inválidas, geometrías degeneradas, etc. El número de objetos seleccionados no es 3 - + Error Error @@ -3117,9 +3117,9 @@ Combinaciones aceptadas: dos curvas; un punto final y una curva; dos puntos fina Definir el grado de la B-Spline, entre 1 y %1: + - CAD Kernel Error Error de Kernel CAD @@ -6100,39 +6100,39 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Error @@ -6168,6 +6168,9 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< La restricción tiene información de índice inválida y está mal formada. + + + @@ -6175,9 +6178,6 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< - - - Invalid Constraint @@ -6219,8 +6219,8 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Error al crear el polo de B-Spline - + Error creating B-spline Error al crear B-spline @@ -6276,17 +6276,17 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Fallo al añadir línea - - - - - - - + + + + + + + Tool execution aborted Se interrumpió la ejecución de la herramienta @@ -6321,9 +6321,9 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Fallo al recortar arista - + Value Error Error del valor @@ -6762,7 +6762,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Crea dos rectángulos con un desplazamiento constante. @@ -7243,7 +7243,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Clone constraints - Clonar restricción + Clonar restricciones @@ -7273,7 +7273,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Crea un arco por su centro y por sus puntos finales @@ -7282,7 +7282,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Crea un arco por sus puntos finales y un punto a lo largo del arco @@ -7291,7 +7291,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Crea una elipse por su centro, uno de sus radios y un punto de borde @@ -7300,7 +7300,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Crea una elipse por los puntos finales de uno de sus ejes y un punto de borde @@ -7309,7 +7309,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Crea un arco de elipse por su centro, uno de su radio y sus puntos finales @@ -7318,7 +7318,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Crea un arco de hipérbola por su centro, vértices y puntos finales @@ -7327,7 +7327,7 @@ Al hacer clic izquierdo en el espacio vacío validará la restricción actual. A Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Crea un arco de parábola por su enfoque, vértices y puntos finales diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-ES.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-ES.ts index 0f04b9e9908f..e11c5cf0fcc1 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-ES.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_es-ES.ts @@ -2157,8 +2157,8 @@ restricciones inválidas, geometrías degeneradas, etc. Actualizar el espacio virtual de la restricción - + Add auto constraints Añadir restricciones automáticas @@ -2411,8 +2411,20 @@ restricciones inválidas, geometrías degeneradas, etc. No adjuntar + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ restricciones inválidas, geometrías degeneradas, etc. - - - - - - - - - @@ -2558,9 +2561,6 @@ restricciones inválidas, geometrías degeneradas, etc. - - - Wrong selection Selección incorrecta @@ -2710,9 +2710,9 @@ restricciones inválidas, geometrías degeneradas, etc. El número de objetos seleccionados no es 3 - + Error Error @@ -3115,9 +3115,9 @@ Combinaciones aceptadas: dos curvas; un extremo y una curva; dos extremos; dos c Definir el grado de la B-Spline, entre 1 y %1: + - CAD Kernel Error Error del Kernel CAD @@ -6096,39 +6096,39 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Error @@ -6164,6 +6164,9 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< La restricción tiene información de índice inválida y está mal formada. + + + @@ -6171,9 +6174,6 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< - - - Invalid Constraint @@ -6215,8 +6215,8 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Error al crear el polo de B-Spline - + Error creating B-spline Error al crear B-Spline @@ -6272,17 +6272,17 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Fallo al añadir línea - - - - - - - + + + + + + + Tool execution aborted Se interrumpió la ejecución de la herramienta @@ -6317,9 +6317,9 @@ El espaciado de la cuadrícula cambia si es menor que este número de píxeles.< Fallo al recortar arista - + Value Error Error del valor @@ -6787,7 +6787,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Horizontal/Vertical - Horizontal/Vertical + Horizontal/Vertical @@ -6865,7 +6865,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Appearance - Aspecto + Apariencia @@ -7239,7 +7239,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Clone constraints - Clonar restricción + Clonar restricciones diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts index 47ead37b1272..56e515697352 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_eu.ts @@ -2159,8 +2159,8 @@ murrizketak, geometria degeneratuak, etab. aztertuta. Eguneratu murrizketen espazio birtuala - + Add auto constraints Gehitu murrizketa automatikoak @@ -2413,8 +2413,20 @@ murrizketak, geometria degeneratuak, etab. aztertuta. Ez erantsi + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ murrizketak, geometria degeneratuak, etab. aztertuta. - - - - - - - - - @@ -2560,9 +2563,6 @@ murrizketak, geometria degeneratuak, etab. aztertuta. - - - Wrong selection Hautapen okerra @@ -2712,9 +2712,9 @@ murrizketak, geometria degeneratuak, etab. aztertuta. Hautatutako objektuen kopurua ez da 3 - + Error Errorea @@ -3118,9 +3118,9 @@ Onartutako konbinazioak: bi kurba; amaiera-puntu bat eta kurba bat; bi amaiera-p Definitu B-spline gradua, 1 eta %1 artekoa: + - CAD Kernel Error CAD kernel-errorea @@ -6101,39 +6101,39 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada.Parabolak migratu dira. Migratutako fitxategiak ezin dira ireki FreeCADen aurreko bertsioetan. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Errorea @@ -6169,6 +6169,9 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada.Murrizketak indize-informazio baliogabea du eta gaizki eratuta dago. + + + @@ -6176,9 +6179,6 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada. - - - Invalid Constraint @@ -6220,8 +6220,8 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada.Errorea B-spline poloa sortzean - + Error creating B-spline Errorea B-spline kurba gehitzean @@ -6277,17 +6277,17 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada.Huts egin du lerroa gehitzeak - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6322,9 +6322,9 @@ Sareta-tartea aldatuko da pixel-zenbaki hau baino txikiagoa bihurtzen bada.Huts egin du ertza muxarratzeak - + Value Error Balio-errorea diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts index fb17d6808928..c9311bd4f7e3 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fi.ts @@ -1222,7 +1222,7 @@ X- tai Y-akselia tai origoa. Wrong selection - Virheellinen valinta + Väärä valinta @@ -2160,8 +2160,8 @@ virheellisiä rajoitteita, rappeutunutta geometriaa jne. Päivitä rajoituksen virtuaalinen tila - + Add auto constraints Lisää automaattisesti rajoitteita @@ -2414,8 +2414,20 @@ virheellisiä rajoitteita, rappeutunutta geometriaa jne. Älä liitä + + + + + + + + + + + + @@ -2535,15 +2547,6 @@ virheellisiä rajoitteita, rappeutunutta geometriaa jne. - - - - - - - - - @@ -2561,9 +2564,6 @@ virheellisiä rajoitteita, rappeutunutta geometriaa jne. - - - Wrong selection Virheellinen valinta @@ -2713,9 +2713,9 @@ virheellisiä rajoitteita, rappeutunutta geometriaa jne. Number of selected objects is not 3 - + Error Virhe @@ -3119,9 +3119,9 @@ Hyväksytyt yhdistelmät: kaksi käyrää; päätepiste ja käyrä; kaksi päät Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error CAD-ytimen virhe @@ -6104,39 +6104,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Virhe @@ -6172,6 +6172,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6179,9 +6182,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6223,8 +6223,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Virhe luotaessa B-splinin napaa - + Error creating B-spline Virhe luotaessa B-spliniä @@ -6280,17 +6280,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6325,9 +6325,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts index 40e664543fd3..28625b92d603 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_fr.ts @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Arc par son centre et ses extrémités Endpoints and rim point - Endpoints and rim point + Arc par ses extrémités et un point du bord @@ -217,12 +217,12 @@ Center and rim point - Cercle par le centre et un point du bord + Cercle par son centre et un point du bord 3 rim points - Cercle par 3 points + Cercle par 3 points du bord @@ -240,27 +240,27 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Ellipse par son centre, un de ses rayons, un point du bord Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Ellipse par les extrémités de ses axes, un point du bord Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Arc d'ellipse par son centre, son rayon, des extrémités Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Arc d'hyperbole par son centre, son sommet, ses extrémités Arc of parabola by focus, vertex, endpoints - Arc de parabole par foyer, sommet, points d'extrémités + Arc de parabole par son foyer, son sommet, ses extrémités @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Congé d'esquisse préservant les coins @@ -1217,7 +1217,7 @@ as mirroring reference. Wrong selection - Sélection incorrecte + Mauvaise sélection @@ -2154,8 +2154,8 @@ les contraintes invalides, les géométries dégénérées, etc. Mettre à jour l'espace virtuel de la contrainte - + Add auto constraints Ajouter des contraintes automatiques @@ -2408,8 +2408,20 @@ les contraintes invalides, les géométries dégénérées, etc. Ne pas attacher + + + + + + + + + + + + @@ -2529,15 +2541,6 @@ les contraintes invalides, les géométries dégénérées, etc. - - - - - - - - - @@ -2555,11 +2558,8 @@ les contraintes invalides, les géométries dégénérées, etc. - - - Wrong selection - Sélection invalide + Sélection incorrecte @@ -2707,9 +2707,9 @@ les contraintes invalides, les géométries dégénérées, etc. Le nombre d'objets sélectionnés n'est pas 3 - + Error Erreur @@ -3113,9 +3113,9 @@ Combinaisons acceptés : deux courbes ; un point d'extrémité et une courbe ; d Définir le degré de la B-spline, entre 1 et %1 : + - CAD Kernel Error Erreur du noyau de CAO @@ -3930,7 +3930,7 @@ Voir la documentation pour plus de détails. Reference - Contraintes pilotées + Référence @@ -4745,7 +4745,7 @@ la liste ci-dessous) Settings - Paramètres + Réglages @@ -4759,7 +4759,7 @@ la liste ci-dessous) Construction - Construction + Géométrie de construction  @@ -6098,39 +6098,39 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Erreur @@ -6166,6 +6166,9 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p La contrainte a des informations d'index non valides et est mal formée. + + + @@ -6173,9 +6176,6 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p - - - Invalid Constraint @@ -6217,8 +6217,8 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p Erreur lors de la création d'un pôle de B-spline - + Error creating B-spline Erreur lors de la création d'une B-spline @@ -6274,17 +6274,17 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p Impossible d'ajouter une ligne - - - - - - - + + + + + + + Tool execution aborted L'exécution de l'outil a été interrompue @@ -6319,9 +6319,9 @@ L'espacement de la grille est modifié s'il devient inférieur à ce nombre de p Impossible d'ajuster une arête - + Value Error Erreur de valeur @@ -6538,7 +6538,7 @@ Les points doivent être placés à moins d'un cinquième de l'espacement de la Dimension - Contrainte de dimension + Dimension @@ -6570,7 +6570,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Dimension - Dimension + Contrainte de dimension @@ -6762,7 +6762,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Créer deux rectangles avec un décalage constant @@ -7275,7 +7275,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Créer un arc par son centre et par ses extrémités @@ -7284,7 +7284,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Créer un arc par ses extrémités et un point le long de l'arc @@ -7293,7 +7293,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Créer une ellipse par son centre, un de ses rayons et un point du bord @@ -7302,7 +7302,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Créer une ellipse par les extrémités d'un de ses axes et un point du bord @@ -7311,7 +7311,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Créer un arc d'ellipse par son centre, un de ses rayons et ses extrémités @@ -7320,7 +7320,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Créer un arc d'hyperbole par son centre, son sommet et ses extrémités @@ -7329,7 +7329,7 @@ Cliquez avec le bouton droit ou appuyez sur Échap pour annuler. Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Créer un arc de parabole par son foyer, son sommet et ses extrémités diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_gl.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_gl.ts index ef586837f6c3..ed71b04eb1e6 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_gl.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_gl.ts @@ -2159,8 +2159,8 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2413,8 +2413,20 @@ invalid constraints, degenerated geometry, etc. Non xuntar + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2560,9 +2563,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Escolma errada @@ -2712,9 +2712,9 @@ invalid constraints, degenerated geometry, etc. Number of selected objects is not 3 - + Error Erro @@ -3116,9 +3116,9 @@ As combinacións aceptadas son: dúas curvas; cabo e curva; dous cabos; dúas cu Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error Erro do Kernel CAD @@ -6100,39 +6100,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Erro @@ -6168,6 +6168,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6175,9 +6178,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6219,8 +6219,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6276,17 +6276,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6321,9 +6321,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts index 3de1181a2f36..803ba4cd22f1 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hr.ts @@ -2217,8 +2217,8 @@ nevaljana ograničenja, degenerirana geometrija itd. - + Add auto constraints Dodajte automatska ograničenja @@ -2475,8 +2475,20 @@ nevaljana ograničenja, degenerirana geometrija itd. Nemoj pridodati + + + + + + + + + + + + @@ -2596,15 +2608,6 @@ nevaljana ograničenja, degenerirana geometrija itd. - - - - - - - - - @@ -2622,9 +2625,6 @@ nevaljana ograničenja, degenerirana geometrija itd. - - - Wrong selection Pogrešan odabir @@ -2774,9 +2774,9 @@ nevaljana ograničenja, degenerirana geometrija itd. Broj odabranih objekata nije 3 - + Error Pogreška @@ -3189,9 +3189,9 @@ Prihvatljive kombinacije: dvije krivulje; jedna krajnja točka i krivulja; dvije + - CAD Kernel Error CAD Kernel greška @@ -6227,39 +6227,39 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. Parabole su migrirane. Migrirane datoteke neće se otvoriti u prethodnim verzijama FreeCAD-a!! - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Pogreška @@ -6295,6 +6295,9 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. Ograničenje ima neispravnu index informaciju i neispravno je. + + + @@ -6302,9 +6305,6 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. - - - Invalid Constraint @@ -6346,8 +6346,8 @@ Razmak mreže se mijenja ako postane manji od ovog broja piksela. Greška stvaranja pola B-krivulje - + Error creating B-spline Greška stvaranja B-krivulje @@ -6404,17 +6404,17 @@ Greška kod brisanja zadnjeg pola B-krive Nije uspjelo dodavanje linije - - - - - - - + + + + + + + Tool execution aborted Prekinuto izvršavanje alata @@ -6449,9 +6449,9 @@ Greška kod brisanja zadnjeg pola B-krive Nije uspjelo skraćivanje ruba - + Value Error Greška vrijednosti diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts index 8f9d2eb5c501..0ea637daa984 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_hu.ts @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Közép és végpontok Endpoints and rim point - Endpoints and rim point + Végpontok és perem pontok @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Ellipszis központtal, sugárral, perem ponttal Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Ellipszis a tengely végpontjaival, peremponttal Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Ellipszis ív központtal, sugárral, végpontokkal Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Hiperbola ív központtal, sugárral, végpontokkal @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Sarok-megőrzési vázlat lekerekítés @@ -1220,7 +1220,7 @@ mint tükörreferencia hivatkozás. Wrong selection - Rossz kijelölés + Hibás kijelölés @@ -2157,8 +2157,8 @@ invalid constraints, degenerated geometry, etc. A kényszerítés virtuális helyének frissítése - + Add auto constraints Automatikus kényszerítés hozzáadása @@ -2411,8 +2411,20 @@ invalid constraints, degenerated geometry, etc. Ne csatolja + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2558,9 +2561,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Rossz kijelölés @@ -2710,9 +2710,9 @@ invalid constraints, degenerated geometry, etc. A kijelölt tárgyak száma nem 3 - + Error Hiba @@ -3116,9 +3116,9 @@ Elfogadott kombinációk: két görbe; egy végpont és egy görbe; két végpon Határozza meg a B-görbe fokot 1 és %1 között: + - CAD Kernel Error CAD rendszermag hiba @@ -6098,39 +6098,39 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Hiba @@ -6166,6 +6166,9 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám.A korlátozás érvénytelen indexinformációval rendelkezik, és rosszul formázott. + + + @@ -6173,9 +6176,6 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám. - - - Invalid Constraint @@ -6217,8 +6217,8 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám.B-görbe pólus létrehozás hiba - + Error creating B-spline Hiba a B-görbe létrehozásakor @@ -6274,17 +6274,17 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám.Sikertelen a vonal hozzáadása - - - - - - - + + + + + + + Tool execution aborted Az eszköz végrehajtása megszakadt @@ -6319,9 +6319,9 @@ A rácsháló távolsága megváltozik, ha kisebb lesz, mint ez a pixelszám.Sikertelen az él vágása - + Value Error Értékhiba diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_id.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_id.ts index a1345a5cbca4..26c106175699 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_id.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_id.ts @@ -2161,8 +2161,8 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2415,8 +2415,20 @@ invalid constraints, degenerated geometry, etc. Jangan pasang + + + + + + + + + + + + @@ -2536,15 +2548,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2562,9 +2565,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Pilihan salah @@ -2714,9 +2714,9 @@ invalid constraints, degenerated geometry, etc. Number of selected objects is not 3 - + Error Kesalahan @@ -3116,9 +3116,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error Kernel CAD Error @@ -6097,39 +6097,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Kesalahan @@ -6165,6 +6165,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6172,9 +6175,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6216,8 +6216,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6273,17 +6273,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6318,9 +6318,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts index 3a491f460017..192a390f05fa 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_it.ts @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Punti finali e centro Endpoints and rim point - Endpoints and rim point + Punti finali e punto sul cerchio @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Ellisse da centro, raggio, punto del bordo Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Ellisse per punti finali degli assi e punto del bordo Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Arco di ellisse da centro, raggio, punti finali Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Arco d'iperbole da centro, vertice e punti finali @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Raccorda schizzo preservando angolo @@ -2158,8 +2158,8 @@ vincoli non validi, geometria degenerata, ecc. Aggiorna lo spazio virtuale del vincolo - + Add auto constraints Aggiungi vincoli automatici @@ -2412,8 +2412,20 @@ vincoli non validi, geometria degenerata, ecc. Non allegare + + + + + + + + + + + + @@ -2533,15 +2545,6 @@ vincoli non validi, geometria degenerata, ecc. - - - - - - - - - @@ -2559,9 +2562,6 @@ vincoli non validi, geometria degenerata, ecc. - - - Wrong selection Selezione errata @@ -2711,9 +2711,9 @@ vincoli non validi, geometria degenerata, ecc. Il numero di oggetti selezionati non è 3 - + Error Errore @@ -3117,9 +3117,9 @@ Combinazioni ammesse: due curve; un punto finale e una curva; due punti finali; Definisci il grado B-Spline, tra 1 e %1: + - CAD Kernel Error Errore Kernel CAD @@ -6095,39 +6095,39 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Errore @@ -6163,6 +6163,9 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p Il vincolo ha informazioni sull'indice non valide ed è malformato. + + + @@ -6170,9 +6173,6 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p - - - Invalid Constraint @@ -6214,8 +6214,8 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p Errore nella creazione del polo B-Spline - + Error creating B-spline Errore nella creazione della Bspline @@ -6271,17 +6271,17 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p Impossibile aggiungere la linea - - - - - - - + + + + + + + Tool execution aborted Esecuzione strumento interrotta @@ -6316,9 +6316,9 @@ La spaziatura della griglia cambia se diventa più piccola di questo numero di p Impossibile tagliare il bordo - + Value Error Errore di valore @@ -6757,7 +6757,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Crea due rettangoli con uno spostamento costante. @@ -7268,7 +7268,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Crea un arco dal suo centro e dai suoi punti finali @@ -7277,7 +7277,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Crea un arco dai suoi punti finali e un punto lungo l'arco @@ -7286,7 +7286,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Crea un'ellisse dal suo centro, uno dei suoi raggi e un punto del bordo @@ -7295,7 +7295,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Crea un'ellisse dai punti finali di uno dei suoi assi e un punto del bordo @@ -7304,7 +7304,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Crea un arco di ellisse dal suo centro, uno dei suoi raggi e i suoi punti finali @@ -7313,7 +7313,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Crea un arco di iperbole dal suo centro, vertice e punti finali @@ -7322,7 +7322,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Crea un arco di parabola dal suo fuoco, vertice e punti finali diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts index 57e9949fcb49..700b4eac9d86 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ja.ts @@ -2152,8 +2152,8 @@ invalid constraints, degenerated geometry, etc. 拘束の仮想スペースを更新 - + Add auto constraints 自動拘束を追加 @@ -2406,8 +2406,20 @@ invalid constraints, degenerated geometry, etc. アタッチしない + + + + + + + + + + + + @@ -2527,15 +2539,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2553,9 +2556,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection 誤った選択 @@ -2705,9 +2705,9 @@ invalid constraints, degenerated geometry, etc. 選択したオブジェクトの数が3ではありません。 - + Error エラー @@ -3111,9 +3111,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 1から %1 の間でB-スプラインの次数を定義してください: + - CAD Kernel Error CADカーネルエラー @@ -6086,39 +6086,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error エラー @@ -6154,6 +6154,9 @@ The grid spacing change if it becomes smaller than this number of pixel.この拘束には無効なインデックス情報が含まれており、形式が正しくありません。 + + + @@ -6161,9 +6164,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6205,8 +6205,8 @@ The grid spacing change if it becomes smaller than this number of pixel.B-スプラインの極の作成エラー - + Error creating B-spline B-スプラインの作成エラー @@ -6262,17 +6262,17 @@ The grid spacing change if it becomes smaller than this number of pixel.線を追加できませんでした。 - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6307,9 +6307,9 @@ The grid spacing change if it becomes smaller than this number of pixel.エッジをトリムできませんでした。 - + Value Error 値エラー diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts index 5b7725132f23..1549e50ce8ff 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ka.ts @@ -158,7 +158,7 @@ Clone - ასლი + კლონი @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + ცენტრი და საბოლოო წერტილები Endpoints and rim point - Endpoints and rim point + ბოლოწერტილები და მხების წერტილი @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + ოვალი ცენტრით, რადიუსით და მხების წერტილით Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + ოვალი ღერძის ბოლოწერტილებით და შეხების წერტილით Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + ოვალის რკალი ცენტრის, რადიუსის და ბოლო წერტილების მიხედვით Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + ჰიპერბოლის რკალი ცენტრის, წვეროს და ბოლო წერტილების მიხედვით @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + კუთხის შემნახველი ესკიზის მომრგვალებული ნაზოლი @@ -785,7 +785,7 @@ with respect to a line or a third point Create fillet - მომრგვალებული ნაზოლის შექმნა + მომრგვალების შექმნა @@ -1019,7 +1019,7 @@ with respect to a line or a third point Decrease knot multiplicity - კვანძის ჯერადობის შემცირება + კვანძის გამრავლებადობის შემცირება @@ -1110,7 +1110,7 @@ with respect to a line or a third point Increase knot multiplicity - კვანძის ჯერადობის გაზრდა + კვანძის გამრავლებადობის გაზრდა @@ -2036,7 +2036,7 @@ invalid constraints, degenerated geometry, etc. Create fillet - მომრგვალების შექმნა + მომრგვალებული ნაზოლის შექმნა @@ -2081,12 +2081,12 @@ invalid constraints, degenerated geometry, etc. Increase knot multiplicity - კვანძის გამრავლებადობის გაზრდა + კვანძის ჯერადობის გაზრდა Decrease knot multiplicity - კვანძის გამრავლებადობის შემცირება + კვანძის ჯერადობის შემცირება @@ -2157,8 +2157,8 @@ invalid constraints, degenerated geometry, etc. შეზღუდვის ვირტუალური სივრცის განახლება - + Add auto constraints ავტომატური შეზღუდვების დამატება @@ -2411,8 +2411,20 @@ invalid constraints, degenerated geometry, etc. არ მიამაგრო + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2558,11 +2561,8 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection - არასწორი არჩევანი + არასწორი მონიშნული @@ -2710,9 +2710,9 @@ invalid constraints, degenerated geometry, etc. მონიშნული ობიექტების რიცხვი არ უდრის სამს - + Error შეცდომა @@ -3116,9 +3116,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c აღწერეთ B-სპლაინის კუთხე, 1-დან %1-მდე: + - CAD Kernel Error CAD-ის ბირთვის შეცდომა @@ -3931,7 +3931,7 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Reference - მითითება + ბმა @@ -4744,7 +4744,7 @@ However, no constraints linking to the endpoints were found. Settings - მორგება + გამართვა @@ -4758,7 +4758,7 @@ However, no constraints linking to the endpoints were found. Construction - კონსტრუქცია + მშენებლობა @@ -5276,7 +5276,7 @@ This is done by analyzing the sketch geometries and constraints. Clone - კლონი + ასლი @@ -6099,39 +6099,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error შეცდომა @@ -6167,6 +6167,9 @@ The grid spacing change if it becomes smaller than this number of pixel.შეზღუდვას ინდექსის ინფორმაცია არასწორია და ის მიუღებელია. + + + @@ -6174,9 +6177,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6218,8 +6218,8 @@ The grid spacing change if it becomes smaller than this number of pixel.B-სპლაინის პოლუსის შექმნის შეცდომა - + Error creating B-spline B-სპლაინის შექმნის შეცდომა @@ -6275,17 +6275,17 @@ The grid spacing change if it becomes smaller than this number of pixel.ხაზის დამატების შეცდომა - - - - - - - + + + + + + + Tool execution aborted ხელსაწყოს შესრულება შეწყდა @@ -6320,9 +6320,9 @@ The grid spacing change if it becomes smaller than this number of pixel.წიბოს წაკვეთის შეცდომა - + Value Error მნიშვნელობის შეცდომა @@ -6761,7 +6761,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + ორი მართკუთხედის შექმნა მუდმივი წანაცვლებით. @@ -7272,7 +7272,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + რკალის შექმნა მისი ცენტრითა და ბოლო წერტილებით @@ -7281,7 +7281,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + რკალის შექმნა მისი ბოლო წერტილებითა და რკალის გაყოლებაზე ერთი წერტილით @@ -7290,7 +7290,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + ოვალის შექმნა მისი ცენტრით, ერთ-ერთი რადიუსით და შეხების წერტილით @@ -7299,7 +7299,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + ოვალის შექმნა მისი ერთ-ერთი ღერძის ბოლოწერტილებით და შეხების წერტილით @@ -7308,7 +7308,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + ოვალი რკალის შექმნა მისი ცენტრით, ერთ-ერთი რადიუსით და მისი ბოლოწერტილებით @@ -7317,7 +7317,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + ჰიპერბოლის რკალის შექმნა მისი ცენტრით, წვეროთი და ბოლო წერტილებით @@ -7326,7 +7326,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + რკალის მისი ფოკუსის პარაბოლით, წვეროთი და საბოლოო წერტილებით შექმნა diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts index a41bd1986a0a..bbb8c55d6d93 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ko.ts @@ -2152,8 +2152,8 @@ invalid constraints, degenerated geometry, etc. 구속의 가상 공간을 업데이트하기 - + Add auto constraints 자동 구속 추가하기 @@ -2406,8 +2406,20 @@ invalid constraints, degenerated geometry, etc. 첨부하지 마세요. + + + + + + + + + + + + @@ -2527,15 +2539,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2553,9 +2556,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection 잘못 된 선택 @@ -2705,9 +2705,9 @@ invalid constraints, degenerated geometry, etc. Number of selected objects is not 3 - + Error 에러 @@ -3111,9 +3111,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error CAD 커널 에러 @@ -6095,39 +6095,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error 에러 @@ -6163,6 +6163,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6170,9 +6173,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6214,8 +6214,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6271,17 +6271,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6316,9 +6316,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts index 88d421d7328e..42651293a29e 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_nl.ts @@ -58,12 +58,12 @@ Show/hide B-spline control polygon - Toon/Verberg B-spline controle veelhoek + Toon/Verberg B-spline bepalende veelhoek Switches between showing and hiding the control polygons for all B-splines - Hiermee schakelt u tussen het weergeven en verbergen van de knoop multipliciteit voor alle B-splines + Hiermee schakelt u tussen het weergeven en verbergen van de bepalende veelhoek voor alle B-splines @@ -107,7 +107,7 @@ Show/hide B-spline control polygon - Toon/Verberg B-spline controle veelhoek + Toon/Verberg B-spline bepalende veelhoek @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Middelpunt en eindpunten Endpoints and rim point - Endpoints and rim point + Eindpunten en punt op de boog @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Ellips met middelpunt, radius, punt op ellips Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Ellips door as-eindpunten, punt op ellips Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Elliptische boog via het middelpunt, radii en eindpunten Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Hyperbolische boog via de hoofdas en eindpunten @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Snijpunt behoudende afronding @@ -2101,12 +2101,12 @@ ongeldige constraints, gedegenereerde geometrie, etc. Cut in Sketcher - Cut in Sketcher + Knippen in Sketcher Paste in Sketcher - Paste in Sketcher + Plakken in Sketcher @@ -2157,8 +2157,8 @@ ongeldige constraints, gedegenereerde geometrie, etc. Update beperking's virtuele ruimte - + Add auto constraints Voeg automatische beperkingen toe @@ -2210,27 +2210,27 @@ ongeldige constraints, gedegenereerde geometrie, etc. Add polygon - Veelhoek toevoegen + Regelmatige veelhoek toevoegen Add sketch arc slot - Ringvormige sleuf toevoegen + Boog-sleuf toevoegen in schets Rotate geometries - Rotate geometries + Roteer geometrieën Scale geometries - Scale geometries + Schaal geometriën Translate geometries - Translate geometries + Verplaats geometrieën @@ -2411,8 +2411,20 @@ ongeldige constraints, gedegenereerde geometrie, etc. Niet bijvoegen + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ ongeldige constraints, gedegenereerde geometrie, etc. - - - - - - - - - @@ -2558,9 +2561,6 @@ ongeldige constraints, gedegenereerde geometrie, etc. - - - Wrong selection Verkeerde selectie @@ -2710,9 +2710,9 @@ ongeldige constraints, gedegenereerde geometrie, etc. Het aantal geselecteerde objecten is niet gelijk aan 3 - + Error Fout @@ -3116,9 +3116,9 @@ Geaccepteerde combinaties: twee curven; een eindpunt en een curve; twee eindpunt Definieer de B-Spline graad, tussen 1 en %1: + - CAD Kernel Error CAD-kernelfout @@ -3295,12 +3295,12 @@ Geaccepteerde combinaties: twee curven; een eindpunt en een curve; twee eindpunt Offset parameters - Offset parameters + Afstand parameters Polygon parameters - Polygon parameters + Regelmatige veelhoek parameters @@ -3315,7 +3315,7 @@ Geaccepteerde combinaties: twee curven; een eindpunt en een curve; twee eindpunt Arc Slot parameters - Arc Slot parameters + Boog sleuf parameters @@ -4079,7 +4079,7 @@ wordt gereflecteerd op de kopieën Number of sides: - Number of sides: + Aantal zijden: @@ -4272,7 +4272,7 @@ This setting is only for the toolbar. Whichever you choose, all tools are always Disabled - Disabled + Uitgeschakeld @@ -5261,7 +5261,7 @@ Dit wordt gedaan door de geometrie en beperkingen van de schets te analyseren. Switches between showing and hiding the control polygons for all B-splines - Hiermee schakelt u tussen het weergeven en verbergen van de knoop multipliciteit voor alle B-splines + Hiermee schakelt u tussen het weergeven en verbergen van de bepalende veelhoek voor alle B-splines @@ -6101,39 +6101,39 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Fout @@ -6169,6 +6169,9 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels.De beperking heeft ongeldige index informatie en is onjuist vormgegeven. + + + @@ -6176,9 +6179,6 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels. - - - Invalid Constraint @@ -6220,8 +6220,8 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels.Fout bij het maken van de B-spline pool - + Error creating B-spline Fout bij het maken van de B-spline @@ -6277,17 +6277,17 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels.Kon lijn niet toevoegen - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6322,9 +6322,9 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels.Kon de rand niet inkorten - + Value Error Fout in de waarde @@ -6361,7 +6361,7 @@ De rasterafstand verandert als deze kleiner wordt dan dit aantal pixels. Failed to add arc slot - Failed to add arc slot + Kon de boog-sleuf niet toevoegen @@ -6612,52 +6612,52 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Parameter 1 - Parameter 1 + Parameter 1 Parameter 2 - Parameter 2 + Parameter 2 Parameter 3 - Parameter 3 + Parameter 3 Parameter 4 - Parameter 4 + Parameter 4 Parameter 5 - Parameter 5 + Parameter 5 Parameter 6 - Parameter 6 + Parameter 6 Parameter 7 - Parameter 7 + Parameter 7 Parameter 8 - Parameter 8 + Parameter 8 Parameter 9 - Parameter 9 + Parameter 9 Parameter 10 - Parameter 10 + Parameter 10 @@ -6667,7 +6667,7 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Checkbox 1 - Checkbox 1 + Selectievak 1 @@ -6677,7 +6677,7 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Checkbox 2 - Checkbox 2 + Selectievak 2 @@ -6687,7 +6687,7 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Checkbox 3 - Checkbox 3 + Selectievak 3 @@ -6697,7 +6697,7 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Checkbox 4 - Checkbox 4 + Selectievak 4 @@ -6830,12 +6830,12 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Create arc slot - Maak een sleuf + Maak een boog-sleuf Create an arc slot in the sketch - Maak een sleuf in de schets + Maak een boog-sleuf in de schets @@ -6869,7 +6869,7 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Appearance - Vormgeving + Uiterlijk @@ -7149,7 +7149,7 @@ Afhankelijk van uw keuzes zijn er mogelijk meerdere beperkingen beschikbaar. U k Sides (+'U'/ -'J') - Sides (+'U'/ -'J') + Aantal zijden (+'U'/-'J') diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts index e510cf11a9ba..297082dee905 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pl.ts @@ -163,7 +163,7 @@ Creates a clone of the geometry taking as reference the last selected point - Tworzy prostą kopię geometrii przyjmującej jako odniesienie ostatni wybrany punkt + Tworzy klon geometrii przyjmując za punkt odniesienia ostatni wybrany punkt @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Punkt środkowy i punkty końcowe Endpoints and rim point - Endpoints and rim point + Punkty końcowe i punkt na obwodzie @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Elipsa przez środek, promień i punkt na obwodzie Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Elipsa przez punkty końcowe osi, punkt na obwodzie Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Łuk elipsy przez środek, promień, punkty końcowe Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Łuk hiperboli przez środek, promień, punkty końcowe @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Zaokrąglenie szkicu zachowując narożniki @@ -1111,7 +1111,7 @@ w odniesieniu do linii lub trzeciego punktu Increase knot multiplicity - Zwiększ liczebność węzłów + Zwiększ liczbę węzłów @@ -2083,7 +2083,7 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Increase knot multiplicity - Zwiększ liczbę węzłów + Zwiększ liczebność węzłów @@ -2159,8 +2159,8 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Aktualizuj wiązania przestrzeni wirtualnej - + Add auto constraints Dodaj wiązania automatycznie @@ -2413,8 +2413,20 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Nie dołączaj + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. - - - - - - - - - @@ -2560,11 +2563,8 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. - - - Wrong selection - Niewłaściwy wybór + Nieprawidłowy wybór @@ -2712,9 +2712,9 @@ nieprawidłowych wiązań, zdegenerowanej geometrii itp. Liczba wybranych obiektów nie jest równa 3 - + Error Błąd @@ -3121,9 +3121,9 @@ Akceptowane kombinacje: dwie krzywe; punkt końcowy i krzywa; dwa punkty końcow Zdefiniuj stopień krzywej złożonej między 1 a %1: + - CAD Kernel Error Błąd jądra CAD @@ -4766,7 +4766,7 @@ Nie znaleziono jednak żadnych powiązań z punktami końcowymi. Construction - Konstrukcja + Konstrukcyjny @@ -5278,7 +5278,7 @@ Odbywa się to przez analizę geometrii szkicu i wiązań. Creates a clone of the geometry taking as reference the last selected point - Tworzy klon geometrii przyjmując za punkt odniesienia ostatni wybrany punkt + Tworzy prostą kopię geometrii przyjmującej jako odniesienie ostatni wybrany punkt @@ -6108,39 +6108,39 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p Parabole zostały poddane migracji. Pliki po imporcie nie otworzą się w poprzednich wersjach programu FreeCAD!! - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Błąd @@ -6176,6 +6176,9 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p Ograniczenie ma nieprawidłowe informacje o indeksie i jest zniekształcone. + + + @@ -6183,9 +6186,6 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p - - - Invalid Constraint @@ -6227,8 +6227,8 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p Błąd podczas tworzenia bieguna krzywej złożonej - + Error creating B-spline Błąd podczas tworzenia krzywej złożonej @@ -6284,17 +6284,17 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p Nie udało się dodać linii - - - - - - - + + + + + + + Tool execution aborted Wykonanie operacji zostało przerwane @@ -6329,9 +6329,9 @@ Rozstaw siatki zmienia się, jeśli staje się mniejszy niż określona liczba p Nie udało się przyciąć krawędzi - + Value Error Błąd wartości @@ -6549,7 +6549,7 @@ Przytrzymaj CTRL, aby włączyć "Przyciąganie pod kątem". Kąt zaczyna się o Dimension - Wiązania wymiarów + Wiązanie odległości @@ -6580,7 +6580,7 @@ Kliknięcie prawym przyciskiem myszy lub naciśnięcie Esc spowoduje anulowanie. Dimension - Wymiar + Wiązania wymiarów @@ -6775,7 +6775,7 @@ W przeciwnym razie spróbuje zastąpić je równościami. Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Utwórz dwa prostokąty o stałym odsunięciu. @@ -7289,7 +7289,7 @@ początkowymi geometriami i nowymi kopiami. Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Utwórz łuk ze środka i punktów końcowych @@ -7298,7 +7298,7 @@ początkowymi geometriami i nowymi kopiami. Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Utwórz łuk z punktów końcowych i punkt na łuku @@ -7307,7 +7307,7 @@ początkowymi geometriami i nowymi kopiami. Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Utwórz elipsę przez jej środek, jeden z jej promieni i punkt na obwodzie @@ -7316,7 +7316,7 @@ początkowymi geometriami i nowymi kopiami. Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Utwórz elipsę przez punkty końcowe jednej z jej osi i punkt na obwodzie @@ -7325,7 +7325,7 @@ początkowymi geometriami i nowymi kopiami. Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Utwórz łuk elipsy, wskazując środek, jeden z promieni i punkty końcowe @@ -7334,7 +7334,7 @@ początkowymi geometriami i nowymi kopiami. Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Utwórz łuk hiperboli, wskazując punkt centralny, wierzchołek i punkty końcowe @@ -7343,7 +7343,7 @@ początkowymi geometriami i nowymi kopiami. Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Utwórz łuk paraboli wskazując punkt centralny, wierzchołek i punkty końcowe diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-BR.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-BR.ts index b48308df706c..cc53cafd0f8a 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-BR.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-BR.ts @@ -2159,8 +2159,8 @@ restrições inválidas, geometria corrompida, etc. Atualizar espaço virtual das restrições - + Add auto constraints Adicionar restrições automáticas @@ -2413,8 +2413,20 @@ restrições inválidas, geometria corrompida, etc. Não anexar + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ restrições inválidas, geometria corrompida, etc. - - - - - - - - - @@ -2560,9 +2563,6 @@ restrições inválidas, geometria corrompida, etc. - - - Wrong selection Seleção errada @@ -2712,9 +2712,9 @@ restrições inválidas, geometria corrompida, etc. Number of selected objects is not 3 - + Error Erro @@ -3118,9 +3118,9 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error Erro de Kernel CAD @@ -6101,39 +6101,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Erro @@ -6169,6 +6169,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6176,9 +6179,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6220,8 +6220,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6277,17 +6277,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Falha ao adicionar linha - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6322,9 +6322,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Falha ao aparar aresta - + Value Error Erro de Valor diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-PT.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-PT.ts index f2b79638504e..94b4e8e69ac1 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-PT.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_pt-PT.ts @@ -2159,8 +2159,8 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2413,8 +2413,20 @@ invalid constraints, degenerated geometry, etc. Não fixar + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2560,9 +2563,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Seleção errada @@ -2712,9 +2712,9 @@ invalid constraints, degenerated geometry, etc. Number of selected objects is not 3 - + Error Erro @@ -3118,9 +3118,9 @@ Combinações possíveis: duas curvas; um ponto de extremidade e uma curva; dois Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error Erro de Kernel de CAD @@ -6102,39 +6102,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Erro @@ -6170,6 +6170,9 @@ The grid spacing change if it becomes smaller than this number of pixel.A restrição tem informações de índice inválidas e está formatada incorretamente. + + + @@ -6177,9 +6180,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6221,8 +6221,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Erro ao criar o polo da B-spline - + Error creating B-spline Erro ao criar a B-spline @@ -6278,17 +6278,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Falha ao adicionar linha - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6323,9 +6323,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Falha ao aparar a aresta - + Value Error Erro de Valor diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts index 7a031bab5bbe..cf971ec5788c 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ro.ts @@ -2159,8 +2159,8 @@ constrângeri nevalide, geometrie degenerată, etc. Actualizează spațiul virtual al constrângerilor - + Add auto constraints Adaugă Auto-Constrângeri @@ -2413,8 +2413,20 @@ constrângeri nevalide, geometrie degenerată, etc. A nu se atașa + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ constrângeri nevalide, geometrie degenerată, etc. - - - - - - - - - @@ -2560,9 +2563,6 @@ constrângeri nevalide, geometrie degenerată, etc. - - - Wrong selection Selecţie greşită @@ -2712,9 +2712,9 @@ constrângeri nevalide, geometrie degenerată, etc. Numărul de obiecte selectate nu este 3 - + Error Eroare @@ -3115,9 +3115,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Defineste grade B-Spline intre 1 si %1: + - CAD Kernel Error Eroare a nucleului CAD @@ -6099,39 +6099,39 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Eroare @@ -6167,6 +6167,9 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel The constraint has invalid index information and is malformed. + + + @@ -6174,9 +6177,6 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel - - - Invalid Constraint @@ -6218,8 +6218,8 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6275,17 +6275,17 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6320,9 +6320,9 @@ Schimbarea spațierii grilei dacă devine mai mică decât acest număr de pixel Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts index 8a4b5255620c..f00678f0f128 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_ru.ts @@ -181,7 +181,7 @@ Center and endpoints - Center and endpoints + Центр и конечные точки @@ -1218,7 +1218,7 @@ as mirroring reference. Wrong selection - Неправильное выделение + Неправильный выбор @@ -2154,8 +2154,8 @@ invalid constraints, degenerated geometry, etc. Обновить ограничения виртуального пространства - + Add auto constraints Добавить автоматические ограничения @@ -2363,7 +2363,7 @@ invalid constraints, degenerated geometry, etc. Sketcher - Sketcher + Набросок @@ -2408,8 +2408,20 @@ invalid constraints, degenerated geometry, etc. Не присоединять + + + + + + + + + + + + @@ -2529,15 +2541,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2555,11 +2558,8 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection - Неправильный выбор + Неправильное выделение @@ -2707,9 +2707,9 @@ invalid constraints, degenerated geometry, etc. Количество выбранных объектов не 3 - + Error Ошибка @@ -3111,9 +3111,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Укажите степень B-сплайна, между 1 и %1: + - CAD Kernel Error Ошибка ядра CAD @@ -4752,7 +4752,7 @@ However, no constraints linking to the endpoints were found. Construction - Конструктор + Конструкция @@ -5277,7 +5277,7 @@ This is done by analyzing the sketch geometries and constraints. Copy - Скопировать + Копировать @@ -5883,7 +5883,7 @@ Eigen Sparse QR algorithm is optimized for sparse matrices; usually faster Sketcher - Набросок + Sketcher @@ -6093,41 +6093,41 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error - Ошибка + Ошибки @@ -6161,6 +6161,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Ограничение имеет неверную индексную информацию и является неправильным. + + + @@ -6168,9 +6171,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6212,8 +6212,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Ошибка при создании полюса B-сплайна - + Error creating B-spline Ошибка создания B-сплайна @@ -6269,17 +6269,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Не удалось добавить строку - - - - - - - + + + + + + + Tool execution aborted Выполнение инструмента прервано @@ -6314,9 +6314,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Не удалось обрезать ребро - + Value Error Ошибка значения @@ -6862,7 +6862,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Appearance - Представление + Внешний вид diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts index 446902270854..e0f249295530 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sl.ts @@ -2157,8 +2157,8 @@ neveljavna omejila, izrojene geometrije, ... Posodobi navidezni prostor omejila - + Add auto constraints Dodaj samodejna omejila @@ -2411,8 +2411,20 @@ neveljavna omejila, izrojene geometrije, ... Ne pripnite + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ neveljavna omejila, izrojene geometrije, ... - - - - - - - - - @@ -2558,9 +2561,6 @@ neveljavna omejila, izrojene geometrije, ... - - - Wrong selection Napačna izbira @@ -2710,9 +2710,9 @@ neveljavna omejila, izrojene geometrije, ... Niso izbrani 3 predmeti - + Error Napaka @@ -3116,9 +3116,9 @@ Dovoljene kombinacije: dve krivulji, končna točka in krivulja, dve končni to Določite stopnjo B-zlepka, ki naj bo med 1 in %1: + - CAD Kernel Error Napaka CAD Jedra @@ -6101,39 +6101,39 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Napaka @@ -6169,6 +6169,9 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t Omejilo ima neveljavno informacijo kazala in je narobe oblikovano. + + + @@ -6176,9 +6179,6 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t - - - Invalid Constraint @@ -6220,8 +6220,8 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t Napaka pri ustvarjanju B-zlepkovega tečaja - + Error creating B-spline Napaka pri ustvarjanju B-zlepka @@ -6277,17 +6277,17 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t Dodajanje daljice spodletelo - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6322,9 +6322,9 @@ Medčrtna razdalja se spremeni, če postane manjša od tega števila slikovnih t Prirezovanje roba spodletelo - + Value Error Napaka vrednosti diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr-CS.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr-CS.ts index df4d5838b28c..5782b51fe96b 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr-CS.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr-CS.ts @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Centar i krajnje tačke Endpoints and rim point - Endpoints and rim point + Kružni luk pomoću 3 tačke @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Elipsa pomoću centra, velike poluose i tačke Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Elipsa pomoću krajnjih tačaka poluose i tačke Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Luk elipse pomoću centra, velike poluose i krajnjih tačaka Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Luk hiperbole pomoću centra, realne poluose i krajnjih tačaka @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Zaobljenje koje čuva ograničenja @@ -2157,8 +2157,8 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Ažuriraj virtuelni prostor ograničenja - + Add auto constraints Dodaj automatska ograničenja @@ -2411,8 +2411,20 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Nemoj prikačiti + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ nevažeća ograničenja, degenerisanu geometriju, itd. - - - - - - - - - @@ -2558,9 +2561,6 @@ nevažeća ograničenja, degenerisanu geometriju, itd. - - - Wrong selection Pogrešan izbor @@ -2710,9 +2710,9 @@ nevažeća ograničenja, degenerisanu geometriju, itd. Broj izabranih objekata nije 3 - + Error Greška @@ -3116,9 +3116,9 @@ Prihvaćene kombinacije: dve krive; krajnja tačka i kriva; dve krajnje tačke; Podesi stepen B-splajn krive, između 1 i %1: + - CAD Kernel Error Greška CAD jezgra @@ -6102,39 +6102,39 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Greška @@ -6170,6 +6170,9 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. Ograničenje ima pogrešne indeksne informacije tako da je neispravno. + + + @@ -6177,9 +6180,6 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. - - - Invalid Constraint @@ -6221,8 +6221,8 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. Greška prilikom pravljenja pola B-Splajn krive - + Error creating B-spline Greška prilikom pravljenja B-Splajn krive @@ -6278,17 +6278,17 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. Dodavanje duži nije uspelo - - - - - - - + + + + + + + Tool execution aborted Izvršavanje alatke je prekinuto @@ -6323,9 +6323,9 @@ Razmak mreže se menja ako postane manji od ovog broja piksela. Opsecanje ivice nije uspelo - + Value Error Greška vrednosti @@ -6572,7 +6572,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Dimension - Kota + Kotiranje - Dimenziona ograničenja @@ -6764,7 +6764,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Napravite dva pravougaonika, jedan u drugom sa konstantnim odmakom. @@ -6845,7 +6845,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Constrain coincident - Ograničenja podudarnosti + Ograničenje podudarnosti @@ -7275,7 +7275,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Napravi kružni luk pomoću centra i krajnjih tačaka @@ -7284,7 +7284,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Napravi luk pomoću krajnjih tačaka i tačke na luku @@ -7293,7 +7293,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Napravi elipsu pomoću centra, veće poluose i tačke @@ -7302,7 +7302,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Napravi elipsu pomoću krajnjih tačaka jedne od poluosa i tačke @@ -7311,7 +7311,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Napravi luk elipse pomoću centra, velike poluose i krajnjih tačaka @@ -7320,7 +7320,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Napravi luk hiperbole pomoću centra, realne poluose i krajnjih tačaka @@ -7329,7 +7329,7 @@ Levi klik na prazan prostor potvrdiće trenutno ograničenje. Desni klik ili pr Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Napravi luk parabole pomoću fokusa, temena i krajnjih tačaka diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts index 474760365626..13859e9923fd 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sr.ts @@ -181,12 +181,12 @@ Center and endpoints - Center and endpoints + Центар и крајње тачке Endpoints and rim point - Endpoints and rim point + Кружни лук помоћу 3 тачке @@ -240,22 +240,22 @@ Ellipse by center, radius, rim point - Ellipse by center, radius, rim point + Елипса помоћу центра, велике полуосе и тачке Ellipse by axis endpoints, rim point - Ellipse by axis endpoints, rim point + Елипса помоћу крајњих тачака полуосе и тачке Arc of ellipse by center, radius, endpoints - Arc of ellipse by center, radius, endpoints + Лук елипсе помоћу центра, велике полуосе и крајњих тачака Arc of hyperbola by center, vertex, endpoints - Arc of hyperbola by center, vertex, endpoints + Лук хиперболе помоћу центра, реалне полуосе и крајњих тачака @@ -283,7 +283,7 @@ Corner-preserving sketch fillet - Corner-preserving sketch fillet + Заобљење које чува ограничења @@ -2157,8 +2157,8 @@ invalid constraints, degenerated geometry, etc. Ажурирај виртуелни простор ограничења - + Add auto constraints Додај аутоматска ограничења @@ -2411,8 +2411,20 @@ invalid constraints, degenerated geometry, etc. Немој прикачити + + + + + + + + + + + + @@ -2532,15 +2544,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2558,9 +2561,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Погрешан избор @@ -2710,9 +2710,9 @@ invalid constraints, degenerated geometry, etc. Број изабраних објеката није 3 - + Error Грешка @@ -3116,9 +3116,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Задај степен Б-сплајн криве, између 1 и %1: + - CAD Kernel Error Грешка CAD језгра @@ -6102,39 +6102,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Грешка @@ -6170,6 +6170,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Ограничење има погрешне индексне информације тако да је неисправно. + + + @@ -6177,9 +6180,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6221,8 +6221,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Грешка приликом прављења пола Б-Сплајн криве - + Error creating B-spline Грешка приликом прављења Б-Сплајн криве @@ -6278,17 +6278,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Додавање дужи није успело - - - - - - - + + + + + + + Tool execution aborted Извршавање алатке је прекинуто @@ -6323,9 +6323,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Опсецање ивице није успело - + Value Error Грешка вредности @@ -6572,7 +6572,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Dimension - Кота + Котирање - Димензиона ограничења @@ -6764,7 +6764,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create two rectangles with a constant offset. - Create two rectangles with a constant offset. + Направите два правоугаоника, један у другом са константним одмаком. @@ -6845,7 +6845,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Constrain coincident - Ограничења подударности + Ограничење подударности @@ -7275,7 +7275,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its center and by its endpoints - Create an arc by its center and by its endpoints + Направи кружни лук помоћу центра и крајњих тачака @@ -7284,7 +7284,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc by its endpoints and a point along the arc - Create an arc by its endpoints and a point along the arc + Направи лук помоћу крајњих тачака и тачке на луку @@ -7293,7 +7293,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by its center, one of its radii and a rim point - Create an ellipse by its center, one of its radii and a rim point + Направи елипсу помоћу центра, веће полуосе и тачке @@ -7302,7 +7302,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an ellipse by the endpoints of one of its axes and a rim point - Create an ellipse by the endpoints of one of its axes and a rim point + Направи елипсу помоћу крајњих тачака једне од полуоса и тачке @@ -7311,7 +7311,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of ellipse by its center, one of its radii, and its endpoints - Create an arc of ellipse by its center, one of its radii, and its endpoints + Направи лук елипсе помоћу центра, велике полуосе и крајњих тачака @@ -7320,7 +7320,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of hyperbola by its center, vertex and endpoints - Create an arc of hyperbola by its center, vertex and endpoints + Направи лук хиперболе помоћу центра, реалне полуосе и крајњих тачака @@ -7329,7 +7329,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Create an arc of parabola by its focus, vertex and endpoints - Create an arc of parabola by its focus, vertex and endpoints + Направи лук параболе помоћу фокуса, темена и крајњих тачака diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sv-SE.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sv-SE.ts index bedf4a5bfbb3..2bdcdb74df7a 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sv-SE.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_sv-SE.ts @@ -2159,8 +2159,8 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2413,8 +2413,20 @@ invalid constraints, degenerated geometry, etc. Koppla inte till + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2560,9 +2563,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Fel val @@ -2712,9 +2712,9 @@ invalid constraints, degenerated geometry, etc. Number of selected objects is not 3 - + Error Fel @@ -3118,9 +3118,9 @@ Accepterade kombinationer: två kurvor; en slutpunkt och en kurva; två slutpunk Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error CAD-kärnfel @@ -6103,39 +6103,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Fel @@ -6171,6 +6171,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6178,9 +6181,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6222,8 +6222,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6279,17 +6279,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6324,9 +6324,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Värdefel diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts index 3eb4d1c9d219..e9e2dde5a221 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_tr.ts @@ -2155,8 +2155,8 @@ bozulmuş geometriye vb. bakarak bir eskizi doğrulayın. Kısıtlamanın sanal alanını güncelleyin - + Add auto constraints Otomatik kısıtlamalar ekleyin @@ -2409,8 +2409,20 @@ bozulmuş geometriye vb. bakarak bir eskizi doğrulayın. İliştirilmez + + + + + + + + + + + + @@ -2530,15 +2542,6 @@ bozulmuş geometriye vb. bakarak bir eskizi doğrulayın. - - - - - - - - - @@ -2556,9 +2559,6 @@ bozulmuş geometriye vb. bakarak bir eskizi doğrulayın. - - - Wrong selection Yanlış seçim @@ -2708,9 +2708,9 @@ bozulmuş geometriye vb. bakarak bir eskizi doğrulayın. Number of selected objects is not 3 - + Error Hata @@ -3114,9 +3114,9 @@ Kabul edilen kombinasyonlar: iki eğri; bir son nokta ve bir eğri; iki uç nokt Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error CAD Çekirdek Hatası @@ -6095,39 +6095,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Hata @@ -6163,6 +6163,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6170,9 +6173,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6214,8 +6214,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6271,17 +6271,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6316,9 +6316,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts index 3437860f63c8..abf216c99e7c 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_uk.ts @@ -2156,8 +2156,8 @@ invalid constraints, degenerated geometry, etc. Оновити віртуальний простір обмеження - + Add auto constraints Додати автообмеження @@ -2410,8 +2410,20 @@ invalid constraints, degenerated geometry, etc. Не приєднувати + + + + + + + + + + + + @@ -2531,15 +2543,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2557,9 +2560,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Невірний вибір @@ -2709,9 +2709,9 @@ invalid constraints, degenerated geometry, etc. Кількість виділених об'єктів не 3 - + Error Помилка @@ -3115,9 +3115,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Визначте ступінь B-сплайну між 1 та %1: + - CAD Kernel Error Помилка ядра CAD @@ -6102,39 +6102,39 @@ The grid spacing change if it becomes smaller than this number of pixel.Перенесено параболи. Перенесені файли не відкриватимуться у попередніх версіях FreeCAD!!! - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Помилка @@ -6170,6 +6170,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Обмеження має невірну індексну інформацію та є помилковим. + + + @@ -6177,9 +6180,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6221,8 +6221,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Помилка створення полюса B-сплайна - + Error creating B-spline Помилка при створенні B-сплайна @@ -6278,17 +6278,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Не вдалося додати лінію - - - - - - - + + + + + + + Tool execution aborted Виконання команди перервано @@ -6323,9 +6323,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Не вдалося обрізати ребро - + Value Error Помилка в значенні diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_val-ES.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_val-ES.ts index 6eac8dd2611b..1eaf176f6122 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_val-ES.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_val-ES.ts @@ -2159,8 +2159,8 @@ invalid constraints, degenerated geometry, etc. Update constraint's virtual space - + Add auto constraints Add auto constraints @@ -2413,8 +2413,20 @@ invalid constraints, degenerated geometry, etc. No adjuntes + + + + + + + + + + + + @@ -2534,15 +2546,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2560,9 +2563,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection Selecció incorrecta @@ -2712,9 +2712,9 @@ invalid constraints, degenerated geometry, etc. Number of selected objects is not 3 - + Error Error @@ -3114,9 +3114,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c Define B-Spline Degree, between 1 and %1: + - CAD Kernel Error Error del nucli del CAD @@ -6085,39 +6085,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error Error @@ -6153,6 +6153,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6160,9 +6163,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6204,8 +6204,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6261,17 +6261,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6306,9 +6306,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-CN.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-CN.ts index c5f724e973cb..e1ecde45422f 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-CN.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-CN.ts @@ -2153,8 +2153,8 @@ invalid constraints, degenerated geometry, etc. 更新约束的虚拟空间 - + Add auto constraints 添加自动约束 @@ -2407,8 +2407,20 @@ invalid constraints, degenerated geometry, etc. 不要附加 + + + + + + + + + + + + @@ -2528,15 +2540,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2554,9 +2557,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection 选择错误 @@ -2706,9 +2706,9 @@ invalid constraints, degenerated geometry, etc. 选中对象的数目不是 3 - + Error 错误 @@ -3112,9 +3112,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 定義 B 雲形線多項式次數,介於 1 及 %1 之間: + - CAD Kernel Error CAD 内核错误 @@ -6092,39 +6092,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error 错误 @@ -6160,6 +6160,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6167,9 +6170,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6211,8 +6211,8 @@ The grid spacing change if it becomes smaller than this number of pixel.Error creating B-spline pole - + Error creating B-spline Error creating B-spline @@ -6268,17 +6268,17 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to add line - - - - - - - + + + + + + + Tool execution aborted 工具执行中止 @@ -6313,9 +6313,9 @@ The grid spacing change if it becomes smaller than this number of pixel.Failed to trim edge - + Value Error Value Error diff --git a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-TW.ts b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-TW.ts index 5072caab9f75..110e6de293f9 100644 --- a/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-TW.ts +++ b/src/Mod/Sketcher/Gui/Resources/translations/Sketcher_zh-TW.ts @@ -2153,8 +2153,8 @@ invalid constraints, degenerated geometry, etc. 更新拘束的虛擬空間 - + Add auto constraints 添加自動拘束 @@ -2407,8 +2407,20 @@ invalid constraints, degenerated geometry, etc. 不要附加上去 + + + + + + + + + + + + @@ -2528,15 +2540,6 @@ invalid constraints, degenerated geometry, etc. - - - - - - - - - @@ -2554,9 +2557,6 @@ invalid constraints, degenerated geometry, etc. - - - Wrong selection 錯誤的選取 @@ -2706,9 +2706,9 @@ invalid constraints, degenerated geometry, etc. 選取之物件數量非為3 - + Error 錯誤 @@ -3110,9 +3110,9 @@ Accepted combinations: two curves; an endpoint and a curve; two endpoints; two c 定義 B 雲形線多項式次數,介於 1 及 %1 之間: + - CAD Kernel Error CAD核心錯誤 @@ -6083,39 +6083,39 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - + + + - - + + + + - - - - - - - - + + + + - + - - - - + + + + - - - - + + + + + + Error 錯誤 @@ -6151,6 +6151,9 @@ The grid spacing change if it becomes smaller than this number of pixel.The constraint has invalid index information and is malformed. + + + @@ -6158,9 +6161,6 @@ The grid spacing change if it becomes smaller than this number of pixel. - - - Invalid Constraint @@ -6202,8 +6202,8 @@ The grid spacing change if it becomes smaller than this number of pixel.建立 B-Spline 曲線極點錯誤 - + Error creating B-spline 建立 B 雲形線錯誤 @@ -6259,17 +6259,17 @@ The grid spacing change if it becomes smaller than this number of pixel.添加線條失敗 - - - - - - - + + + + + + + Tool execution aborted Tool execution aborted @@ -6304,9 +6304,9 @@ The grid spacing change if it becomes smaller than this number of pixel.修剪邊緣失敗 - + Value Error 錯誤的值 @@ -7226,7 +7226,7 @@ Left clicking on empty space will validate the current constraint. Right clickin Clone constraints - 克隆拘束 + Clone constraints diff --git a/src/Mod/Sketcher/Gui/Workbench.cpp b/src/Mod/Sketcher/Gui/Workbench.cpp index 7bdf27557bb3..79516e73946b 100644 --- a/src/Mod/Sketcher/Gui/Workbench.cpp +++ b/src/Mod/Sketcher/Gui/Workbench.cpp @@ -42,6 +42,7 @@ using namespace SketcherGui; qApp->translate("Workbench", "Sketcher constraints"); qApp->translate("Workbench", "Sketcher tools"); qApp->translate("Workbench", "Sketcher B-spline tools"); + qApp->translate("Workbench", "Sketcher visual"); qApp->translate("Workbench", "Sketcher virtual space"); qApp->translate("Workbench", "Sketcher edit tools"); #endif diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts index 17195d63ed15..524eac88edda 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_be.ts @@ -76,12 +76,12 @@ Assembly - Assembly + Зборка Create an assembly project - Create an assembly project + Стварыць праект зборкі diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts index 70ae26ce63d4..fa9e259e5d6d 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_de.ts @@ -81,7 +81,7 @@ Create an assembly project - Create an assembly project + Baugruppe erzeugen diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_es-AR.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_es-AR.ts index 7faf7915159f..608fd566e33e 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_es-AR.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_es-AR.ts @@ -76,12 +76,12 @@ Assembly - Ensamblaje + Ensamble Create an assembly project - Create an assembly project + Crea un proyecto de ensamblado diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_es-ES.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_es-ES.ts index fdd1e3b94c5d..388c2fa9006c 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_es-ES.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_es-ES.ts @@ -81,7 +81,7 @@ Create an assembly project - Create an assembly project + Crear un proyecto de ensamblaje diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts index 5037a1cce832..d1547b7738f7 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_fr.ts @@ -81,7 +81,7 @@ Create an assembly project - Create an assembly project + Créer un projet d'assemblage diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts index 7c2addcef6e0..9674b799cf94 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_it.ts @@ -81,7 +81,7 @@ Create an assembly project - Create an assembly project + Crea un progetto di assemblaggio diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts index 80d9c7b50058..07c38d1f4582 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_ka.ts @@ -76,12 +76,12 @@ Assembly - Assembly + აწყობა Create an assembly project - Create an assembly project + აწყობის პროექტის შექმნა diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts index db06583e0965..7f343579be95 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_pl.ts @@ -81,7 +81,7 @@ Create an assembly project - Create an assembly project + Utwórz projekt złożenia diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_sr-CS.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_sr-CS.ts index dd963de587de..7d52b66c2f7d 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_sr-CS.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_sr-CS.ts @@ -66,7 +66,7 @@ Standard Part - Obični deo + Deo @@ -76,12 +76,12 @@ Assembly - Assembly + Sklop Create an assembly project - Create an assembly project + Napravi projekat sklopa diff --git a/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts b/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts index 2ff90d039424..cac8ac6a16f7 100644 --- a/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts +++ b/src/Mod/Start/Gui/Resources/translations/StartPage_sr.ts @@ -66,7 +66,7 @@ Standard Part - Обични део + Део @@ -81,7 +81,7 @@ Create an assembly project - Create an assembly project + Направи пројекат склопа diff --git a/src/Mod/TechDraw/App/DrawLeaderLine.h b/src/Mod/TechDraw/App/DrawLeaderLine.h index 46f28baa342f..2b91909869b0 100644 --- a/src/Mod/TechDraw/App/DrawLeaderLine.h +++ b/src/Mod/TechDraw/App/DrawLeaderLine.h @@ -65,6 +65,8 @@ class TechDrawExport DrawLeaderLine : public TechDraw::DrawView Base::Vector3d getAttachPoint(); DrawView* getBaseView() const; virtual App::DocumentObject* getBaseObject() const; + App::PropertyLink *getOwnerProperty() override { return &LeaderParent; } + bool keepUpdated() override; double getScale() const override; double getBaseScale() const; diff --git a/src/Mod/TechDraw/App/DrawViewSpreadsheet.cpp b/src/Mod/TechDraw/App/DrawViewSpreadsheet.cpp index 3f2bed83831f..a7b293152a58 100644 --- a/src/Mod/TechDraw/App/DrawViewSpreadsheet.cpp +++ b/src/Mod/TechDraw/App/DrawViewSpreadsheet.cpp @@ -31,6 +31,8 @@ #include #include +#include + #include #include @@ -268,12 +270,13 @@ std::string DrawViewSpreadsheet::getSheetImage() App::Property* prop = sheet->getPropertyByName(address.toString().c_str()); std::stringstream field; if (prop && cell) { - if ( - prop->isDerivedFrom(App::PropertyQuantity::getClassTypeId()) || - prop->isDerivedFrom(App::PropertyFloat::getClassTypeId()) || - prop->isDerivedFrom(App::PropertyInteger::getClassTypeId()) - ) { - std::string temp = cell->getFormattedQuantity(); //writable + if (prop->isDerivedFrom(App::PropertyQuantity::getClassTypeId())) { + auto contentAsQuantity = static_cast(prop)->getQuantityValue(); + auto ustring = contentAsQuantity.getUserString(); + field << Base::Tools::toStdString(ustring); + } else if (prop->isDerivedFrom(App::PropertyFloat::getClassTypeId()) || + prop->isDerivedFrom(App::PropertyInteger::getClassTypeId())) { + std::string temp = cell->getFormattedQuantity(); DrawUtil::encodeXmlSpecialChars(temp); field << temp; } else if (prop->isDerivedFrom(App::PropertyString::getClassTypeId())) { diff --git a/src/Mod/TechDraw/Gui/QGILeaderLine.cpp b/src/Mod/TechDraw/Gui/QGILeaderLine.cpp index 5c313119bac7..19fdc10e69dc 100644 --- a/src/Mod/TechDraw/Gui/QGILeaderLine.cpp +++ b/src/Mod/TechDraw/Gui/QGILeaderLine.cpp @@ -52,8 +52,7 @@ using namespace TechDraw; //************************************************************** QGILeaderLine::QGILeaderLine() - : m_parentItem(nullptr), - m_lineColor(Qt::black), + : m_lineColor(Qt::black), m_lineStyle(Qt::SolidLine), m_hasHover(false), m_saveX(0.0), @@ -169,22 +168,6 @@ void QGILeaderLine::hoverLeaveEvent(QGraphicsSceneHoverEvent* event) QGIView::hoverLeaveEvent(event); } -void QGILeaderLine::onSourceChange(TechDraw::DrawView* newParent) -{ - // Base::Console().Message("QGILL::onSoureChange(%s)\n", newParent->getNameInDocument()); - std::string parentName = newParent->getNameInDocument(); - QGIView* qgiParent = getQGIVByName(parentName); - if (qgiParent) { - m_parentItem = qgiParent; - setParentItem(m_parentItem); - draw(); - } - else { - Base::Console().Warning("QGILL::onSourceChange - new parent %s has no QGIView\n", - parentName.c_str()); - } -} - void QGILeaderLine::setNormalColorAll() { // Base::Console().Message("QGILL::setNormalColorAll - normal color: %s\n", qPrintable(getNormalColor().name())); diff --git a/src/Mod/TechDraw/Gui/QGILeaderLine.h b/src/Mod/TechDraw/Gui/QGILeaderLine.h index 002a205ee38f..4d65041068bb 100644 --- a/src/Mod/TechDraw/Gui/QGILeaderLine.h +++ b/src/Mod/TechDraw/Gui/QGILeaderLine.h @@ -100,7 +100,6 @@ class TechDrawGuiExport QGILeaderLine: public QGIView public Q_SLOTS: void onLineEditFinished(QPointF tipDisplace, std::vector points);//QGEPath is finished editing points - void onSourceChange(TechDraw::DrawView* newParent) override; Q_SIGNALS: void editComplete();//tell caller that edit session is finished @@ -121,7 +120,6 @@ public Q_SLOTS: private: std::vector m_pathPoints; - QGraphicsItem* m_parentItem; QGIPrimPath* m_line;//actual leader line QColor m_lineColor; Qt::PenStyle m_lineStyle; diff --git a/src/Mod/TechDraw/Gui/QGIView.cpp b/src/Mod/TechDraw/Gui/QGIView.cpp index fbfe65335e59..b327c4c031ab 100644 --- a/src/Mod/TechDraw/Gui/QGIView.cpp +++ b/src/Mod/TechDraw/Gui/QGIView.cpp @@ -103,11 +103,6 @@ QGIView::QGIView() m_lock->hide(); } -void QGIView::onSourceChange(TechDraw::DrawView* newParent) -{ - Q_UNUSED(newParent); -} - void QGIView::isVisible(bool state) { auto feat = getViewObject(); diff --git a/src/Mod/TechDraw/Gui/QGIView.h b/src/Mod/TechDraw/Gui/QGIView.h index 77c2ca7a4fa6..16afe9328b22 100644 --- a/src/Mod/TechDraw/Gui/QGIView.h +++ b/src/Mod/TechDraw/Gui/QGIView.h @@ -163,9 +163,6 @@ class TechDrawGuiExport QGIView : public QObject, public QGraphicsItemGroup void mouseMoveEvent(QGraphicsSceneMouseEvent *event) override; void mouseReleaseEvent(QGraphicsSceneMouseEvent *event) override; -public Q_SLOTS: - virtual void onSourceChange(TechDraw::DrawView* newParent); - protected: QGIView* getQGIVByName(std::string name); diff --git a/src/Mod/TechDraw/Gui/QGSPage.cpp b/src/Mod/TechDraw/Gui/QGSPage.cpp index cb27d018dedc..3f722b8eb00d 100644 --- a/src/Mod/TechDraw/Gui/QGSPage.cpp +++ b/src/Mod/TechDraw/Gui/QGSPage.cpp @@ -130,7 +130,6 @@ void QGSPage::addChildrenToPage() //therefore we need to make sure parentage of the graphics representation is set properly. bit of a kludge. setDimensionGroups(); setBalloonGroups(); - setLeaderGroups(); App::DocumentObject* obj = m_vpPage->getDrawPage()->Template.getValue(); auto pageTemplate(dynamic_cast(obj)); @@ -606,29 +605,11 @@ void QGSPage::addDimToParent(QGIViewDimension* dim, QGIView* parent) QGIView* QGSPage::addViewLeader(TechDraw::DrawLeaderLine* leaderFeat) { - // Base::Console().Message("QGSP::addViewLeader(%s)\n", leader->getNameInDocument()); - QGILeaderLine* leaderGroup = new QGILeaderLine(); - addItem(leaderGroup); + QGILeaderLine *leaderView = new QGILeaderLine; + leaderView->setViewFeature(leaderFeat); - leaderGroup->setLeaderFeature(leaderFeat); - - QGIView* parent = nullptr; - parent = findParent(leaderGroup); - - if (parent) { - addLeaderToParent(leaderGroup, parent); - } - - leaderGroup->updateView(true); - - return leaderGroup; -} - -void QGSPage::addLeaderToParent(QGILeaderLine* lead, QGIView* parent) -{ - // Base::Console().Message("QGSP::addLeaderToParent()\n"); - parent->addToGroup(lead); - lead->setZValue(ZVALUE::DIMENSION); + addQView(leaderView); + return leaderView; } QGIView* QGSPage::addRichAnno(TechDraw::DrawRichAnno* richFeat) @@ -698,25 +679,6 @@ void QGSPage::setBalloonGroups(void) } } -void QGSPage::setLeaderGroups(void) -{ - // Base::Console().Message("QGSP::setLeaderGroups()\n"); - const std::vector& allItems = getViews(); - int leadItemType = QGraphicsItem::UserType + 232; - - //make sure that qgileader belongs to correct parent. - //quite possibly redundant - for (auto& item : allItems) { - if (item->type() == leadItemType && !item->group()) { - QGIView* parent = findParent(item); - if (parent) { - QGILeaderLine* lead = dynamic_cast(item); - addLeaderToParent(lead, parent); - } - } - } -} - //! find the graphic for a DocumentObject QGIView* QGSPage::findQViewForDocObj(App::DocumentObject* obj) const { @@ -799,23 +761,6 @@ QGIView* QGSPage::findParent(QGIView* view) const } } - //If type is LeaderLine we check LeaderParent - TechDraw::DrawLeaderLine* lead = nullptr; - lead = dynamic_cast(myFeat); - - if (lead) { - App::DocumentObject* obj = lead->LeaderParent.getValue(); - if (obj) { - std::string parentName = obj->getNameInDocument(); - for (std::vector::const_iterator it = qviews.begin(); it != qviews.end(); - ++it) { - if (strcmp((*it)->getViewName(), parentName.c_str()) == 0) { - return *it; - } - } - } - } - // Check if part of view collection for (std::vector::const_iterator it = qviews.begin(); it != qviews.end(); ++it) { QGIViewCollection* grp = nullptr; diff --git a/src/Mod/TechDraw/Gui/QGSPage.h b/src/Mod/TechDraw/Gui/QGSPage.h index bf49aeb6d7bb..f15280ba2a26 100644 --- a/src/Mod/TechDraw/Gui/QGSPage.h +++ b/src/Mod/TechDraw/Gui/QGSPage.h @@ -65,7 +65,6 @@ class QGIViewDimension; class QGITemplate; class ViewProviderPage; class QGIViewBalloon; -class QGILeaderLine; class QGITile; class TechDrawGuiExport QGSPage: public QGraphicsScene @@ -111,7 +110,6 @@ class TechDrawGuiExport QGSPage: public QGraphicsScene void createBalloon(QPointF origin, TechDraw::DrawView* parent); void addDimToParent(QGIViewDimension* dim, QGIView* parent); - void addLeaderToParent(QGILeaderLine* lead, QGIView* parent); std::vector getViews() const; @@ -139,7 +137,6 @@ class TechDrawGuiExport QGSPage: public QGraphicsScene void setDimensionGroups(); void setBalloonGroups(); - void setLeaderGroups(); protected: QColor getBackgroundColor(); diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts index d2fb8439b6b2..e7234bbf2531 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw.ts @@ -1996,8 +1996,8 @@ + - Save page to dxf @@ -2058,7 +2058,7 @@ - + Create Balloon @@ -2073,8 +2073,8 @@ - + Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection @@ -2744,10 +2744,9 @@ - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection - + Select an object first - + Too many objects selected - + Create a page first. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. @@ -2906,6 +2906,8 @@ + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection @@ -3058,9 +3058,6 @@ - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. @@ -3411,7 +3411,7 @@ - + Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? @@ -3463,9 +3463,9 @@ - + Rich text editor @@ -3583,8 +3583,8 @@ - + Edit %1 @@ -3863,17 +3863,17 @@ it has a weld symbol that would become broken. - - - - + - - + + + + + Object dependencies @@ -7353,8 +7353,8 @@ You can pick further points to get line segments. - - + + Top @@ -7365,8 +7365,8 @@ You can pick further points to get line segments. - - + + Left @@ -7377,14 +7377,14 @@ You can pick further points to get line segments. - - + + Right - + Rear @@ -7395,8 +7395,8 @@ You can pick further points to get line segments. - - + + Bottom @@ -7447,31 +7447,31 @@ using the given X/Y Spacing - - + + FrontTopLeft - - + + FrontBottomRight - - + + FrontTopRight - - + + FrontBottomLeft - + Front diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts index b88aca3a31cb..f35c80635e67 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_be.ts @@ -1996,8 +1996,8 @@ Стварыць выгляд Аркуша + - Save page to dxf Захаваць старонку ў файл dxf @@ -2058,7 +2058,7 @@ Перацягнуць вымярэнне - + Create Balloon Стварыць пазіцыйную зноску @@ -2073,8 +2073,8 @@ Стварыць цэнтральную лінію - + Create Cosmetic Line Стварыць касметычную лінію @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Няправільны выбар @@ -2744,10 +2744,9 @@ Аб'ект профілю не знойдзены ў абраным - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Няправільны выбар - + Select an object first Спачатку абярыце аб'ект - + Too many objects selected Абрана зашмат аб'ектаў - + Create a page first. Спачатку стварыць старонку. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Без выгляду дэталі ў абраным. @@ -2906,6 +2906,8 @@ Абранае рабро ўяўляе сабой B-сплайн. Радыус будзе прыблізным. Ці працягнуць? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Няправільны выбар @@ -3058,9 +3058,6 @@ Абярыце два кропкавых аб'екта і адзін выгляд. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Задача ў працэсе - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Зачыніце дыялогавае акно бягучай задачы і паўтарыце спробу. @@ -3411,7 +3411,7 @@ Экспартаваць старонку ў DXF - + Document Name: Назва дакументу: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Ці ўпэўненыя вы, што жадаеце працягнуць? @@ -3463,9 +3463,9 @@ Сродак стварэння адфарматаванага тэксту - + Rich text editor Рэдактар адфарматаванага тэксту @@ -3583,8 +3583,8 @@ Змяніць вынасны элемент - + Edit %1 Змяніць %1 @@ -3866,17 +3866,17 @@ it has a weld symbol that would become broken. Вы не можаце выдаліць выгляд, бо ў ім ёсць адзін ці некалькі залежных выглядаў, якія могуць стаць пашкоджанымі. - - - - + - - + + + + + Object dependencies Залежнасці аб'екта @@ -7403,8 +7403,8 @@ You can pick further points to get line segments. - - + + Top Верхні @@ -7415,8 +7415,8 @@ You can pick further points to get line segments. - - + + Left Левы @@ -7427,14 +7427,14 @@ You can pick further points to get line segments. - - + + Right Правы - + Rear Задні @@ -7445,8 +7445,8 @@ You can pick further points to get line segments. - - + + Bottom Ніжні @@ -7497,31 +7497,31 @@ using the given X/Y Spacing Вертыкальная прастора паміж межамі праекцый - - + + FrontTopLeft Пярэдні верхні левы - - + + FrontBottomRight Пярэдні ніжні правы - - + + FrontTopRight Пярэдні верхні правы - - + + FrontBottomLeft Пярэдні ніжні левы - + Front Спераду @@ -9380,13 +9380,15 @@ there is an open task dialog. Insert 'n×' Prefix - Insert 'n×' Prefix + Уставіць прыстаўку 'n×' Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool - Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool + Устаўце колькасць элементаў, якія паўтараюцца, у пачатак тэксту вымярэння: +- Абярыце адно ці некалькі вымярэнняў +- Пстрыкніце інструмент diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts index bf6af1a489db..9007fadba953 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ca.ts @@ -1996,8 +1996,8 @@ Crea una vista de full de càlcul + - Save page to dxf Guardar pàgina com dxf @@ -2058,7 +2058,7 @@ Arrossegar Dimensió - + Create Balloon Crea un globus @@ -2073,8 +2073,8 @@ Crea una línia central - + Create Cosmetic Line Crea una línia cosmètica @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Selecció incorrecta @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Selecció incorrecta - + Select an object first Seleccioneu primer un objecte - + Too many objects selected Hi ha masses objectes seleccionats - + Create a page first. Crear una pàgina primer. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No hi ha cap vista d'una peça en la selecció. @@ -2906,6 +2906,8 @@ L'aresta seleccionada és una BSpline. El radi serà aproximat. Voleu continuar? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Selecció incorrecta @@ -3058,9 +3058,6 @@ Seleccioneu 2 objectes punt i una vista. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Tasca en procés - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Tanca el quadre de diàleg de tasques actiu i intenta-ho altra vegada. @@ -3411,7 +3411,7 @@ Exporta la Pàgina com a PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Segur que voleu continuar? @@ -3463,9 +3463,9 @@ Creador de text enriquit - + Rich text editor Editor de text enriquit @@ -3583,8 +3583,8 @@ Edita la vista de detall - + Edit %1 Editar %1 @@ -3866,17 +3866,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Dependències de l'objecte @@ -7395,8 +7395,8 @@ You can pick further points to get line segments. - - + + Top Planta @@ -7407,8 +7407,8 @@ You can pick further points to get line segments. - - + + Left Esquerra @@ -7419,14 +7419,14 @@ You can pick further points to get line segments. - - + + Right Dreta - + Rear Posterior @@ -7437,8 +7437,8 @@ You can pick further points to get line segments. - - + + Bottom Inferior @@ -7490,31 +7490,31 @@ usant l'espaiat X/Y donat Espai vertical entre límits de les projeccions - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Alçat diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts index 10a798ad7971..bc13fc319c4d 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_cs.ts @@ -1996,8 +1996,8 @@ Vytvořit pohled tabulky + - Save page to dxf Uložit stránku do dxf @@ -2058,7 +2058,7 @@ Táhnout kótu - + Create Balloon Vytvořit balon @@ -2073,8 +2073,8 @@ Vytvořit osu - + Create Cosmetic Line Vytvořit pomocnou čáru @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Neplatný výběr @@ -2744,10 +2744,9 @@ Ve výběru nebyl nalezen žádný objekt profilu - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Nesprávný výběr - + Select an object first Nejprve vyberte objekt - + Too many objects selected Příliš mnoho vybraných objektů - + Create a page first. Vytvořte nejprve stránku. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Ve výběru není zobrazení součásti. @@ -2906,6 +2906,8 @@ Vybraná hrana je BSplajn. Poloměr bude přibližný. Pokračovat? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Nesprávný výběr @@ -3058,9 +3058,6 @@ Vyberte 2 bodové objekty a 1 pohled. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Probíhá úkol - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Zavřete aktivní dialog úkolů a zkuste to znovu. @@ -3411,7 +3411,7 @@ Exportovat stránku do PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Opravdu si přejete pokračovat? @@ -3463,9 +3463,9 @@ Editor rozsáhlého textu - + Rich text editor Editor rozsáhlého textu @@ -3583,8 +3583,8 @@ Upravit detail pohledu - + Edit %1 Upravit %1 @@ -3867,17 +3867,17 @@ protože obsahuje symbol svaru, který by se rozbil. Nemůžete smazat tento názor, protože má jeden nebo více závislých názorů, které by byly porušeny. - - - - + - - + + + + + Object dependencies Závislosti objektu @@ -7405,8 +7405,8 @@ You can pick further points to get line segments. - - + + Top Horní @@ -7417,8 +7417,8 @@ You can pick further points to get line segments. - - + + Left Vlevo @@ -7429,14 +7429,14 @@ You can pick further points to get line segments. - - + + Right Vpravo - + Rear Zadní @@ -7447,8 +7447,8 @@ You can pick further points to get line segments. - - + + Bottom Dole @@ -7500,31 +7500,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Přední diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts index 7ea94e497c08..424281ce52d9 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_de.ts @@ -1996,8 +1996,8 @@ Kalkulationstabellenansicht erstellen + - Save page to dxf Seite als dxf speichern @@ -2058,7 +2058,7 @@ Maß ziehen - + Create Balloon Hinweisfeld erstellen @@ -2073,8 +2073,8 @@ Mittellinie erstellen - + Create Cosmetic Line Hilfslinie erstellen @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Falsche Auswahl @@ -2744,10 +2744,9 @@ Kein Profilobjekt in der Auswahl gefunden - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Falsche Auswahl - + Select an object first Zuerst ein Objekt auswählen - + Too many objects selected Zu viele Objekte ausgewählt - + Create a page first. Erstellen Sie zunächst eine Seite. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Keine Teileansicht in der Auswahl. @@ -2906,6 +2906,8 @@ Ausgewählte Kante ist ein B-Spline. Radius wird angenähert. Fortfahren? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Falsche Auswahl @@ -3058,9 +3058,6 @@ Wähle 2 Punktobjekte und 1 Ansicht. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Aufgabe in Bearbeitung - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Den aktiven Aufgaben-Dialog schliessen und erneut versuchen. @@ -3411,7 +3411,7 @@ Seite als PDF-Datei exportieren - + Document Name: Dokumentname: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Bist du sicher, dass du fortfahren möchtest? @@ -3463,9 +3463,9 @@ Rich-Text Ersteller - + Rich text editor Rich-Text Editor @@ -3583,8 +3583,8 @@ Detailansicht bearbeiten - + Edit %1 %1 bearbeiten @@ -3866,17 +3866,17 @@ it has a weld symbol that would become broken. Diese Ansicht kann nicht gelöscht werden, da von ihr eine oder mehrere Ansichten abhängen, die beschädigt werden könnten. - - - - + - - + + + + + Object dependencies Objektabhängigkeiten @@ -7394,8 +7394,8 @@ Du kannst weitere Punkte auswählen, um Liniensegmente zu erhalten. - - + + Top Draufsicht @@ -7406,8 +7406,8 @@ Du kannst weitere Punkte auswählen, um Liniensegmente zu erhalten. - - + + Left Seitenansicht von links @@ -7418,14 +7418,14 @@ Du kannst weitere Punkte auswählen, um Liniensegmente zu erhalten. - - + + Right Seitenansicht von rechts - + Rear Rückansicht @@ -7436,8 +7436,8 @@ Du kannst weitere Punkte auswählen, um Liniensegmente zu erhalten. - - + + Bottom Untersicht @@ -7489,31 +7489,31 @@ mit dem vorgegebenen X/Y-Abstand Vertikaler Abstand zwischen den Rändern der Ansichten - - + + FrontTopLeft VorneObenLinks - - + + FrontBottomRight VorneUntenRechts - - + + FrontTopRight VorneObenRechts - - + + FrontBottomLeft VorneUntenLinks - + Front Vorderansicht @@ -9374,13 +9374,13 @@ noch ein Aufgaben-Dialog geöffnet ist. Insert 'n×' Prefix - Insert 'n×' Prefix + 'n×' Präfix einfügen Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool - Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool + Wiederholte Elemente am Anfang des Maßtextes einfügen:<br>- Ein oder mehrere Maße auswählen<br>- Dieses Werkzeug anklicken diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts index 492c625e889a..3e222d519265 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_el.ts @@ -1996,8 +1996,8 @@ Create spreadsheet view + - Save page to dxf Save page to dxf @@ -2058,7 +2058,7 @@ Drag Dimension - + Create Balloon Create Balloon @@ -2073,8 +2073,8 @@ Create CenterLine - + Create Cosmetic Line Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Λάθος επιλογή @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Εσφαλμένη επιλογή - + Select an object first Επιλέξτε πρώτα ένα αντικείμενο - + Too many objects selected Επιλέχθηκαν πάρα πολλά αντικείμενα - + Create a page first. Δημιουργήστε πρώτα μια σελίδα. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No View of a Part in selection. @@ -2906,6 +2906,8 @@ Selected edge is a BSpline. Radius will be approximate. Continue? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Εσφαλμένη Επιλογή @@ -3058,9 +3058,6 @@ Select 2 point objects and 1 View. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Task In Progress - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Close active task dialog and try again. @@ -3411,7 +3411,7 @@ Εξαγωγή Σελίδας ως PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Are you sure you want to continue? @@ -3463,9 +3463,9 @@ Rich text creator - + Rich text editor Rich text editor @@ -3583,8 +3583,8 @@ Edit Detail View - + Edit %1 Επεξεργασία %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Εξαρτήσεις αντικειμένου @@ -7408,8 +7408,8 @@ You can pick further points to get line segments. - - + + Top Πάνω @@ -7420,8 +7420,8 @@ You can pick further points to get line segments. - - + + Left Αριστερά @@ -7432,14 +7432,14 @@ You can pick further points to get line segments. - - + + Right Δεξιά - + Rear Οπίσθια @@ -7450,8 +7450,8 @@ You can pick further points to get line segments. - - + + Bottom Κάτω @@ -7503,31 +7503,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Εμπρόσθια diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-AR.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-AR.ts index b1442eab541f..3d5f91c5a0e0 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-AR.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-AR.ts @@ -1996,8 +1996,8 @@ Crear vista de hoja de cálculo + - Save page to dxf Guardar página como dxf @@ -2058,7 +2058,7 @@ Arrastrar Cota - + Create Balloon Crear globo @@ -2073,8 +2073,8 @@ Crear línea central - + Create Cosmetic Line Crear Línea Adicional @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Selección Incorrecta @@ -2744,10 +2744,9 @@ No se encontró ningún objeto de perfil en la selección - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Selección incorrecta - + Select an object first Seleccione primero un objeto - + Too many objects selected Demasiados objetos seleccionados - + Create a page first. Cree una página de dibujo primero. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No hay Vista de una Pieza en la selección. @@ -2906,6 +2906,8 @@ La arista seleccionada es un BSpline. El radio será aproximado. ¿Continuar? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Selección incorrecta @@ -3058,9 +3058,6 @@ Seleccione objetos de 2 puntos y 1 Vista. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Tarea en progreso - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Cerrar diálogo de tareas activo e inténtelo de nuevo. @@ -3411,7 +3411,7 @@ Exportar Página Como PDF - + Document Name: Nombre del documento: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? ¿Estás seguro/a de que quieres continuar? @@ -3463,9 +3463,9 @@ Creador de texto enriquecido - + Rich text editor Editor de texto enriquecido @@ -3583,8 +3583,8 @@ Editar Vista Detalle - + Edit %1 Editar %1 @@ -3867,17 +3867,17 @@ tiene un símbolo de soldadura que se rompería. No puede eliminar esta vista porque tiene una o más vistas dependientes que se romperían. - - - - + - - + + + + + Object dependencies Dependencias del objeto @@ -7406,8 +7406,8 @@ Puedes seleccionar más puntos para obtener segmentos de línea. - - + + Top Superior @@ -7418,8 +7418,8 @@ Puedes seleccionar más puntos para obtener segmentos de línea. - - + + Left Izquierda @@ -7430,14 +7430,14 @@ Puedes seleccionar más puntos para obtener segmentos de línea. - - + + Right Derecha - + Rear Posterior @@ -7448,8 +7448,8 @@ Puedes seleccionar más puntos para obtener segmentos de línea. - - + + Bottom Inferior @@ -7501,31 +7501,31 @@ usando el espacio X/Y dado Espacio vertical entre el borde de las proyecciones - - + + FrontTopLeft Frente arriba a la izquierda - - + + FrontBottomRight Frente abajo a la derecha - - + + FrontTopRight Frente arriba a la derecha - - + + FrontBottomLeft Frente abajo a la izquierda - + Front Anterior @@ -9386,13 +9386,13 @@ hay un diálogo de tareas abiertas. Insert 'n×' Prefix - Insert 'n×' Prefix + Insertar 'n×' prefijos Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool - Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool + Inserta el recuento de características repetidas al principio del texto de cota:<br>- Seleccione una o más cotas<br>- Haga clic en esta herramienta diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-ES.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-ES.ts index 86b4544f1088..e9f08ea052ee 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-ES.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_es-ES.ts @@ -1996,8 +1996,8 @@ Crear vista de hoja de cálculo + - Save page to dxf Guardar página como dxf @@ -2058,7 +2058,7 @@ Arrastrar Cota - + Create Balloon Crear Globo @@ -2073,8 +2073,8 @@ Crear Línea Central - + Create Cosmetic Line Crear Línea Cosmética @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Selección incorrecta @@ -2744,10 +2744,9 @@ No se encontró ningún objeto de perfil en la selección - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Selección incorrecta - + Select an object first Seleccione un objeto en primer lugar - + Too many objects selected Demasiados objetos seleccionados - + Create a page first. Cree una página de dibujo primero. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Sin vista de un objeto Part en la selección. @@ -2906,6 +2906,8 @@ El borde seleccionado es un BSpline. El dadio será aproximado. ¿Continuar? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Selección incorrecta @@ -3058,9 +3058,6 @@ Seleccione objetos de 2 puntos y 1 Vista. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Tarea en progreso - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Cerrar diálogo de tareas activo e inténtelo de nuevo. @@ -3411,7 +3411,7 @@ Exportar página como PDF - + Document Name: Nombre del documento: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? ¿Está seguro de que desea continuar? @@ -3463,9 +3463,9 @@ Creador de texto enriquecido - + Rich text editor Editor de texto enriquecido @@ -3583,8 +3583,8 @@ Editar vista de detalles - + Edit %1 Editar %1 @@ -3867,17 +3867,17 @@ tiene un símbolo de soldadura que se rompería. No se puede borrar esta vista porque tiene una o más vistas dependientes que se romperían. - - - - + - - + + + + + Object dependencies Dependencias del objeto @@ -7406,8 +7406,8 @@ Puedes elegir más puntos para obtener segmentos de línea. - - + + Top Planta @@ -7418,8 +7418,8 @@ Puedes elegir más puntos para obtener segmentos de línea. - - + + Left Izquierda @@ -7430,14 +7430,14 @@ Puedes elegir más puntos para obtener segmentos de línea. - - + + Right Derecha - + Rear Posterior @@ -7448,8 +7448,8 @@ Puedes elegir más puntos para obtener segmentos de línea. - - + + Bottom Inferior @@ -7501,31 +7501,31 @@ usando el Espaciado X/Y dado Espacio vertical entre el borde de las proyecciones - - + + FrontTopLeft Frontal izquierdo - - + + FrontBottomRight Frontal inferior derecho - - + + FrontTopRight Frontal derecho - - + + FrontBottomLeft Frontal inferior izquierdo - + Front Alzado diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts index dc646e51f880..82ab76009ca8 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_eu.ts @@ -1996,8 +1996,8 @@ Sortu kalkulu-orriaren bista + - Save page to dxf Gorde orria DXF fitxategi batean @@ -2058,7 +2058,7 @@ Arrastatu kota - + Create Balloon Sortu bunbuiloa @@ -2073,8 +2073,8 @@ Sortu erdiko lerroa - + Create Cosmetic Line Sortu lerro kosmetikoa @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Hautapen okerra @@ -2744,10 +2744,9 @@ Ez da profil-objekturik aurkitu hautapenean - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Hautapen okerra - + Select an object first Hautatu objektu bat - + Too many objects selected Objektu gehiegi hautatuta - + Create a page first. Lehenengo, sortu orrialde bat. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Ez dago piezaren bistarik hautapenean. @@ -2906,6 +2906,8 @@ Hautatutako ertza B-spline bat da. Erradioa gutxi gorabeherakoa izango da. Jarraitu? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Hautapen okerra @@ -3058,9 +3058,6 @@ Hautatu bi puntu-objektu eta bista bat. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Ataza abian - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Itxi ataza aktiboaren elkarrizketa-koadroa eta saiatu berriro. @@ -3411,7 +3411,7 @@ Esportatu orrialdea PDF gisa - + Document Name: Dokumentu-izena: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Ziur zaude jarraitu nahi duzula? @@ -3463,9 +3463,9 @@ Testu aberatsaren sortzailea - + Rich text editor Testu aberatsaren editorea @@ -3583,8 +3583,8 @@ Editatu xehetasun-bista - + Edit %1 Editatu %1 @@ -3867,17 +3867,17 @@ hautsi daitekeen soldadura-ikur bat duelako. Ezin da bista hau ezabatu, hautsita geratuko liratekeen mendeko bista bat edo gehiago dituelako. - - - - + - - + + + + + Object dependencies Objektuaren mendekotasunak @@ -7409,8 +7409,8 @@ Puntu gehiago ere aukeratu daitezke lerro segmentuak sortzeko. - - + + Top Goikoa @@ -7421,8 +7421,8 @@ Puntu gehiago ere aukeratu daitezke lerro segmentuak sortzeko. - - + + Left Ezkerrekoa @@ -7433,14 +7433,14 @@ Puntu gehiago ere aukeratu daitezke lerro segmentuak sortzeko. - - + + Right Eskuinekoa - + Rear Atzekoa @@ -7451,8 +7451,8 @@ Puntu gehiago ere aukeratu daitezke lerro segmentuak sortzeko. - - + + Bottom Azpikoa @@ -7504,31 +7504,31 @@ emandako X/Y espazioa erabilita Proiekzioen ertzen arteko tarte bertikala - - + + FrontTopLeft Aurreko goia ezkerra - - + + FrontBottomRight Aurreko behea eskuina - - + + FrontTopRight Aurreko goia eskuina - - + + FrontBottomLeft Aurreko behea ezkerra - + Front Aurrekoa diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts index 99a9e852c425..9213fbaea30b 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fi.ts @@ -1996,8 +1996,8 @@ Luo laskentataulukkonäkymä + - Save page to dxf Tallenna sivu dxf-muotoon @@ -2058,7 +2058,7 @@ Raahaa Mittaa - + Create Balloon Luo tekstikupla @@ -2073,8 +2073,8 @@ Luo Keskilinja - + Create Cosmetic Line Luo kosmeettinen viiva @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Virheellinen valinta @@ -2744,10 +2744,9 @@ Valinnassa ei löytynyt profiiliobjektia - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Virheellinen valinta - + Select an object first Valitse ensin objekti - + Too many objects selected Liian monta objektia valittu - + Create a page first. Luo sivu ensin. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Valinnassa ei ole osan näkymää. @@ -2906,6 +2906,8 @@ Valittu reuna on BSpline, joten säteestä ei tule tarkkaa. Jatketaanko? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Virheellinen valinta @@ -3058,9 +3058,6 @@ Valitse 2 pistemäistä objektia ja 1 Näkymä. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Toiminto käynnissä - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Sulje aktiivisen toiminnon syöttöikkuna ja yritä uudelleen. @@ -3411,7 +3411,7 @@ Vie sivu PDF-tiedostoon - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Haluatko varmasti jatkaa? @@ -3463,9 +3463,9 @@ RTF-tekstin luonti - + Rich text editor RTF-tekstin editori @@ -3583,8 +3583,8 @@ Muokkaa Detaljinäkymää - + Edit %1 Muokkaa %1 @@ -3866,17 +3866,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Objektin riippuvuudet @@ -7398,8 +7398,8 @@ Valitsemalla lisäpisteitä syntyy viivasegmenttejä. - - + + Top Yläpuoli @@ -7410,8 +7410,8 @@ Valitsemalla lisäpisteitä syntyy viivasegmenttejä. - - + + Left Vasen @@ -7422,14 +7422,14 @@ Valitsemalla lisäpisteitä syntyy viivasegmenttejä. - - + + Right Oikea - + Rear Takana @@ -7440,8 +7440,8 @@ Valitsemalla lisäpisteitä syntyy viivasegmenttejä. - - + + Bottom Pohja @@ -7493,31 +7493,31 @@ käyttäen annettuja X/Y-välimatkoja Pystysuuntainen tila projektioiden reunojen välissä - - + + FrontTopLeft Etu-ylä-vasen - - + + FrontBottomRight Etu-ala-oikea - - + + FrontTopRight Etu-ylä-oikea - - + + FrontBottomLeft Etu-ala-vasen - + Front Etupuoli diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts index adab87731ae2..1b00a4e04b53 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_fr.ts @@ -2147,8 +2147,8 @@ Créer une vue de feuille de calcul + - Save page to dxf Enregistrer la page en dxf @@ -2209,7 +2209,7 @@ Faire glisser la cote - + Create Balloon Créer une infobulle @@ -2224,8 +2224,8 @@ Créer une trait d'axe - + Create Cosmetic Line Créer une ligne cosmétique @@ -2837,6 +2837,16 @@ QObject + + + + + + + + + + @@ -2854,16 +2864,6 @@ - - - - - - - - - - Wrong selection Sélection invalide @@ -2895,10 +2895,9 @@ Aucun objet de profil trouvé dans la sélection - - - - + + + @@ -2910,34 +2909,34 @@ - - - + + + + Incorrect selection Sélection non valide - + Select an object first Sélectionner d’abord un objet - + Too many objects selected Trop d'éléments sélectionnés - + Create a page first. Créer d'abord une page. - @@ -2946,6 +2945,7 @@ + No View of a Part in selection. Aucune vue d'une pièce dans la sélection. @@ -3057,6 +3057,8 @@ Le bord sélectionné est un BSpline. Le rayon sera approximatif. Continuer ? + + @@ -3076,12 +3078,10 @@ - - - + Incorrect Selection Sélection non valide @@ -3209,9 +3209,6 @@ Sélectionnez des objets à 2 points et 1 vue. (2) - - - @@ -3238,6 +3235,11 @@ + + + + + @@ -3245,23 +3247,18 @@ + + + - - - - - Task In Progress Tâche en cours - - - @@ -3288,6 +3285,11 @@ + + + + + @@ -3295,16 +3297,14 @@ + + + - - - - - Close active task dialog and try again. Fermer la boîte de dialogue des tâches actives et réessayer. @@ -3562,7 +3562,7 @@ Exporter la page au format PDF - + Document Name: Nom du document: @@ -3578,8 +3578,8 @@ - + Are you sure you want to continue? Êtes-vous sûr de vouloir continuer ? @@ -3614,9 +3614,9 @@ Créateur de texte enrichi - + Rich text editor Éditeur de texte enrichi @@ -3734,8 +3734,8 @@ Modifier la vue détaillée - + Edit %1 Modifier %1 @@ -4018,17 +4018,17 @@ elle comporte un symbole de soudure qui se casserait. Vous ne pouvez pas supprimer cette vue car elle possède une ou plusieurs vues dépendantes qui deviendraient orphelines. - - - - + - - + + + + + Object dependencies Dépendances des objets @@ -7550,8 +7550,8 @@ Vous pouvez sélectionner d'autres points pour obtenir des segments de ligne. - - + + Top Dessus @@ -7562,8 +7562,8 @@ Vous pouvez sélectionner d'autres points pour obtenir des segments de ligne. - - + + Left Gauche @@ -7574,14 +7574,14 @@ Vous pouvez sélectionner d'autres points pour obtenir des segments de ligne. - - + + Right Droit - + Rear Arrière @@ -7592,8 +7592,8 @@ Vous pouvez sélectionner d'autres points pour obtenir des segments de ligne. - - + + Bottom Dessous @@ -7645,31 +7645,31 @@ en utilisant l'espacement X/Y donné Espace vertical entre la bordure des projections - - + + FrontTopLeft Avant en haut à gauche - - + + FrontBottomRight Avant en bas à droite - - + + FrontTopRight Avant en haut à droite - - + + FrontBottomLeft Avant en bas à gauche - + Front Face @@ -9532,13 +9532,15 @@ il y a une tâche en cours. Insert 'n×' Prefix - Insert 'n×' Prefix + Insérer "n×" préfixes Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool - Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool + Insérer un nombre répété d'éléments au début du texte de la dimension : +- Sélectionner une ou plusieurs dimensions +- Cliquer sur cet outil diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_gl.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_gl.ts index 97316ae5fa0e..242168462c3a 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_gl.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_gl.ts @@ -1996,8 +1996,8 @@ Create spreadsheet view + - Save page to dxf Save page to dxf @@ -2058,7 +2058,7 @@ Drag Dimension - + Create Balloon Create Balloon @@ -2073,8 +2073,8 @@ Create CenterLine - + Create Cosmetic Line Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Escolma errada @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Selección incorrecta - + Select an object first Primeiro escolme un obxecto - + Too many objects selected Demasiados obxectos escolmados - + Create a page first. Primeiro, cree unha páxina. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Sen vista da peza en selección. @@ -2906,6 +2906,8 @@ O bordo escolmado é unha BSpline. O Radio será aproximado. Dámoslle? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Selección Incorrecta @@ -3058,9 +3058,6 @@ Select 2 point objects and 1 View. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Tarefa en Progreso - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Pechar o cadro de diálogo e tentalo outra vez. @@ -3411,7 +3411,7 @@ Exporta Páxina Como PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Are you sure you want to continue? @@ -3463,9 +3463,9 @@ Creador de texto enriquecido - + Rich text editor Editor de texto enriquecido @@ -3583,8 +3583,8 @@ Edit Detail View - + Edit %1 Editar %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Dependencias do obxecto @@ -7408,8 +7408,8 @@ You can pick further points to get line segments. - - + + Top Enriba @@ -7420,8 +7420,8 @@ You can pick further points to get line segments. - - + + Left Esquerda @@ -7432,14 +7432,14 @@ You can pick further points to get line segments. - - + + Right Dereita - + Rear Traseira @@ -7450,8 +7450,8 @@ You can pick further points to get line segments. - - + + Bottom Embaixo @@ -7503,31 +7503,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Fronte diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts index fb461a6264cb..b58d19dc26f2 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hr.ts @@ -2012,8 +2012,8 @@ Stvori pogled pregleda + - Save page to dxf Spremi stranicu u dxf formatu @@ -2074,7 +2074,7 @@ Povuci Dimenziju - + Create Balloon Stvori Balončić @@ -2089,8 +2089,8 @@ Stvori središnju Liniju - + Create Cosmetic Line Stvori Dekoracijsku liniju @@ -2706,6 +2706,16 @@ QObject + + + + + + + + + + @@ -2723,16 +2733,6 @@ - - - - - - - - - - Wrong selection Pogrešan odabir @@ -2764,10 +2764,9 @@ U ovom odabiru nema Objekta profila - - - - + + + @@ -2779,34 +2778,34 @@ - - - + + + + Incorrect selection Netočan odabir - + Select an object first Najprije odaberite objekt - + Too many objects selected Previše objekata odabrano - + Create a page first. Najprije napravite stranicu. - @@ -2815,6 +2814,7 @@ + No View of a Part in selection. Ne postoji Pogled na Dio u odabiru. @@ -2927,6 +2927,8 @@ Odabrani rub je BSpline. Polumjer će biti približan. Nastaviti? + + @@ -2946,12 +2948,10 @@ - - - + Incorrect Selection Netočan odabir @@ -3079,9 +3079,6 @@ Odaberite 2 objekta Točke i 1 Pogled.(2) - - - @@ -3108,6 +3105,11 @@ + + + + + @@ -3115,23 +3117,18 @@ + + + - - - - - Task In Progress Rješavanje u postupku - - - @@ -3158,6 +3155,11 @@ + + + + + @@ -3165,16 +3167,14 @@ + + + - - - - - Close active task dialog and try again. Zatvori aktivni dijalog rješavača i pokušaj ponovo. @@ -3433,7 +3433,7 @@ Izvoz Stranice u PDF - + Document Name: Naziv dokumenta: @@ -3449,8 +3449,8 @@ - + Are you sure you want to continue? Jeste li sigurni da želite nastaviti? @@ -3485,9 +3485,9 @@ Rich-Text stvaralac - + Rich text editor Rich-Text uređivač @@ -3605,8 +3605,8 @@ Uredite detaljni pogled - + Edit %1 Uređivanje %1 @@ -3893,17 +3893,17 @@ ima simbol spajanja koji bi se pokidao. Ne možete izbrisati ovaj pogled jer ima jedan ili više ovisnih prikaza koji bi se slomili. - - - - + - - + + + + + Object dependencies Zavisnosti objekta @@ -7493,8 +7493,8 @@ Možete odabrati daljnje točke da biste dobili segmente linija. - - + + Top Gore @@ -7505,8 +7505,8 @@ Možete odabrati daljnje točke da biste dobili segmente linija. - - + + Left Lijevo @@ -7517,14 +7517,14 @@ Možete odabrati daljnje točke da biste dobili segmente linija. - - + + Right Desno - + Rear Iza @@ -7535,8 +7535,8 @@ Možete odabrati daljnje točke da biste dobili segmente linija. - - + + Bottom Ispod @@ -7588,31 +7588,31 @@ koristeći zadani X/Y razmak Vertikalni prostor između granica projekcija - - + + FrontTopLeft NapredOdozgoLijevo - - + + FrontBottomRight NapredDoljeDesno - - + + FrontTopRight NapredOdozgoDesno - - + + FrontBottomLeft NapredDoljeLijevo - + Front Ispred diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts index 680d4c496d52..641b06df032e 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_hu.ts @@ -1996,8 +1996,8 @@ Számolótábla nézet létrehozása + - Save page to dxf Oldal mentése dxf-be @@ -2058,7 +2058,7 @@ Dimenzió húzása - + Create Balloon Ballon létrehozása @@ -2073,8 +2073,8 @@ Középvonal létrehozása - + Create Cosmetic Line Segédvonal létrehozása @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Rossz kijelölés @@ -2744,10 +2744,9 @@ Nem található profiltárgy a kijelölésben - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Hibás kijelölés - + Select an object first Először válasszon ki egy tárgyat - + Too many objects selected Túl sok kijelölt objektum - + Create a page first. Először hozzon létre egy oldalt. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Nincs alkatrész nézet ebben a kiválasztásban. @@ -2906,6 +2906,8 @@ A kijelölt él egy folyamatos ív. A sugár hozzávetőleges érték lesz. Folytatja? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Hibás kijelölés @@ -3058,9 +3058,6 @@ Jelöljön ki 2 pontos objektumokat és 1 nézetet. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress A feladat folyamatban - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Zárja be az aktív feladatot és próbálja később. @@ -3411,7 +3411,7 @@ Oldal export PDF formában - + Document Name: Dokumentum neve: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Biztosan folytatja? @@ -3463,9 +3463,9 @@ Szöveg szerkesztő - + Rich text editor Szöveg szerkesztő @@ -3583,8 +3583,8 @@ Részletnézet szerkesztése - + Edit %1 %1 szerkesztése @@ -3867,17 +3867,17 @@ olyan hegesztési szimbólummal rendelkezik, amely megtörne. Nem törölheti ezt a nézetet, mert egy vagy több nézetnek függősége van, amely megszakadna. - - - - + - - + + + + + Object dependencies Objektumfüggőségek @@ -7401,8 +7401,8 @@ További pontokat is választhatsz, hogy vonalszakaszokat kapj. - - + + Top Felülnézet @@ -7413,8 +7413,8 @@ További pontokat is választhatsz, hogy vonalszakaszokat kapj. - - + + Left Bal @@ -7425,14 +7425,14 @@ További pontokat is választhatsz, hogy vonalszakaszokat kapj. - - + + Right Jobb oldalnézet - + Rear Hátsó nézet @@ -7443,8 +7443,8 @@ További pontokat is választhatsz, hogy vonalszakaszokat kapj. - - + + Bottom Alsó @@ -7496,31 +7496,31 @@ a megadott X/Y távolság használatával Függőleges tér a vetületek határai között - - + + FrontTopLeft ElölFellülBalra - - + + FrontBottomRight ElölAllulJobbra - - + + FrontTopRight ElölFellülJobbra - - + + FrontBottomLeft ElölAllulBalra - + Front Elölnézet diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_id.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_id.ts index 2e598345dd2a..0a5481506c59 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_id.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_id.ts @@ -1996,8 +1996,8 @@ Create spreadsheet view + - Save page to dxf Save page to dxf @@ -2058,7 +2058,7 @@ Drag Dimension - + Create Balloon Create Balloon @@ -2073,8 +2073,8 @@ Create CenterLine - + Create Cosmetic Line Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Pilihan salah @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Pilihan salah - + Select an object first Pilih objek terlebih dahulu - + Too many objects selected Terlalu banyak objek yang dipilih - + Create a page first. Buat halaman terlebih dahulu. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No View of a Part in selection. @@ -2906,6 +2906,8 @@ Selected edge is a BSpline. Radius will be approximate. Continue? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Seleksi yang salah @@ -3058,9 +3058,6 @@ Select 2 point objects and 1 View. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Task In Progress - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Close active task dialog and try again. @@ -3411,7 +3411,7 @@ Halaman Ekspor Sebagai PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Apakah yakin ingin melanjutkan? @@ -3463,9 +3463,9 @@ Rich text creator - + Rich text editor Rich text editor @@ -3583,8 +3583,8 @@ Edit Detail View - + Edit %1 Edit %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. View ini tidak dapat dihapus karena beberapa view yang terhubung akan rusak. - - - - + - - + + + + + Object dependencies Objek dependensi @@ -7406,8 +7406,8 @@ You can pick further points to get line segments. - - + + Top Puncak @@ -7418,8 +7418,8 @@ You can pick further points to get line segments. - - + + Left Kiri @@ -7430,14 +7430,14 @@ You can pick further points to get line segments. - - + + Right Kanan - + Rear Belakang @@ -7448,8 +7448,8 @@ You can pick further points to get line segments. - - + + Bottom Bawah @@ -7501,31 +7501,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Depan diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts index fd892b7ba4a3..4550e6ad7ca4 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_it.ts @@ -359,7 +359,7 @@ Export Page as DXF - Esporta la pagina in DXF + Esporta Pagina in DXF @@ -382,7 +382,7 @@ Export Page as SVG - Esporta la pagina in SVG + Esporta Pagina in SVG @@ -1563,7 +1563,7 @@ Insert Default Page - Nuovo disegno standard + Inserisci Pagina Predefinita @@ -1576,7 +1576,7 @@ Insert Page using Template - Nuovo disegno da modello + Inserisci Pagina usando un Modello @@ -1669,7 +1669,7 @@ Redraw Page - Ridisegna la pagina + Ridisegna Pagina @@ -1998,8 +1998,8 @@ Crea vista foglio di calcolo + - Save page to dxf Salva pagina su dxf @@ -2060,7 +2060,7 @@ Trascina quota - + Create Balloon Crea pallinatura @@ -2075,8 +2075,8 @@ Crea linea di mezzeria - + Create Cosmetic Line Crea linea cosmetica @@ -2688,6 +2688,16 @@ QObject + + + + + + + + + + @@ -2705,16 +2715,6 @@ - - - - - - - - - - Wrong selection Selezione errata @@ -2746,10 +2746,9 @@ Nessun oggetto di profilo trovato nella selezione - - - - + + + @@ -2761,34 +2760,34 @@ - - - + + + + Incorrect selection Selezione non corretta - + Select an object first Prima selezionare un oggetto - + Too many objects selected Troppi oggetti selezionati - + Create a page first. Prima creare una pagina. - @@ -2797,6 +2796,7 @@ + No View of a Part in selection. Nessuna vista di una Parte nella selezione. @@ -2818,7 +2818,7 @@ Clip and View must be from same Page. - Clip e Vista deve essere dalla stessa pagina. + Clip e Vista deve essere dalla stessa Pagina. @@ -2868,7 +2868,7 @@ No Drawing View - Nessuna Vista di disegno + Nessuna Vista di Disegno @@ -2908,6 +2908,8 @@ Il bordo selezionato è una BSpline. Il raggio sarà approssimativo. Continuare? + + @@ -2927,12 +2929,10 @@ - - - + Incorrect Selection Selezione non corretta @@ -3060,9 +3060,6 @@ Selezionare 2 oggetti punti e 1 vista. (2) - - - @@ -3089,6 +3086,11 @@ + + + + + @@ -3096,23 +3098,18 @@ + + + - - - - - Task In Progress Attività in corso - - - @@ -3139,6 +3136,11 @@ + + + + + @@ -3146,16 +3148,14 @@ + + + - - - - - Close active task dialog and try again. Chiudere la finestra di dialogo attiva e riprovare. @@ -3352,7 +3352,7 @@ No TechDraw Page - Nessuna pagina di TechDraw + Nessuna Pagina di TechDraw @@ -3394,7 +3394,7 @@ No Drawing Pages in document. - Nel documento non c'è nessuna pagina di disegno. + Nel documento non c'è nessuna Pagina di Disegno. @@ -3410,10 +3410,10 @@ Export Page As PDF - Esporta pagina in PDF + Esporta Pagina in PDF - + Document Name: Nome del documento: @@ -3429,8 +3429,8 @@ - + Are you sure you want to continue? Sei sicuro di voler continuare? @@ -3465,9 +3465,9 @@ Creatore di testi avanzato RTF - + Rich text editor Editor di testi avanzato @@ -3585,8 +3585,8 @@ Modifica la vista di dettaglio - + Edit %1 Edita %1 @@ -3869,17 +3869,17 @@ it has a weld symbol that would become broken. Non puoi eliminare questa vista perché ha una o più viste dipendenti che diventerebbero orfani. - - - - + - - + + + + + Object dependencies Dipendenze dell'oggetto @@ -5098,7 +5098,7 @@ Questo può rallentare i tempi di risposta. Keep Page Up To Date - Mantieni aggiornate le pagine + Mantieni aggiornate le Pagine @@ -5444,7 +5444,7 @@ Fast, but result is a collection of short straight lines. Page Scale - Scala della pagina + Scala della Pagina @@ -5567,7 +5567,7 @@ Fast, but result is a collection of short straight lines. Print All Pages - Stampa tutte le pagine + Stampa tutte le Pagine @@ -7406,8 +7406,8 @@ Si possono scegliere ulteriori punti per ottenere dei segmenti di linea. - - + + Top Dall'alto @@ -7418,8 +7418,8 @@ Si possono scegliere ulteriori punti per ottenere dei segmenti di linea. - - + + Left Da sinistra @@ -7430,14 +7430,14 @@ Si possono scegliere ulteriori punti per ottenere dei segmenti di linea. - - + + Right Da destra - + Rear Da dietro @@ -7448,8 +7448,8 @@ Si possono scegliere ulteriori punti per ottenere dei segmenti di linea. - - + + Bottom Dal basso @@ -7501,31 +7501,31 @@ usando la spaziatura X/Y specificata Spazio in verticale tra il bordo delle proiezioni - - + + FrontTopLeft FronteAltoSinistra - - + + FrontBottomRight FronteSottoDestra - - + + FrontTopRight FronteSopraDestra - - + + FrontBottomLeft FronteSottoSinistra - + Front Di fronte @@ -8379,12 +8379,12 @@ usando la spaziatura X/Y specificata Move a View to a new Page - Sposta una vista in una nuova pagina + Sposta una Vista in una nuova Pagina Move View to a different Page - Sposta la vista in una pagina diversa + Sposta la Vista in una Pagina diversa @@ -8423,12 +8423,12 @@ usando la spaziatura X/Y specificata Share a View on a second Page - Condividi una vista su una seconda pagina + Condividi una Vista su una seconda Pagina Share View with another Page - Condividi la vista con un'altra pagina + Condividi la Vista con un'altra Pagina @@ -9386,13 +9386,13 @@ c'è una finestra di dialogo per le attività aperte. Insert 'n×' Prefix - Insert 'n×' Prefix + Inserisci prefisso 'nx' Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool - Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool + Inserisci il conteggio delle funzionalità ripetute all'inizio del testo della quota:<br>- Seleziona una o più quote<br>- Clicca su questo strumento diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts index 8391e0bf5409..6b07509fa584 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ja.ts @@ -1996,8 +1996,8 @@ スプレッドシートビューを作成 + - Save page to dxf ページをDXFに保存 @@ -2058,7 +2058,7 @@ 寸法をドラッグ - + Create Balloon 吹き出しを作成 @@ -2073,8 +2073,8 @@ 中心線を作成 - + Create Cosmetic Line 表示用の線を作成 @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection 誤った選択 @@ -2744,10 +2744,9 @@ プロファイルオブジェクトが選択されていません。 - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection 誤った選択です。 - + Select an object first 最初にオブジェクトを選択してください - + Too many objects selected 選択されているオブジェクトが多すぎます。 - + Create a page first. 最初にページを作成してください - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. パートのビューが選択されていません。 @@ -2906,6 +2906,8 @@ 選択されたエッジはBスプラインです。半径は概算です。続けますか? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection 誤った選択です。 @@ -3058,9 +3058,6 @@ 2つの点オブジェクトと1つのビューを選択 (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress 実行中のタスク - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. アクテイブなタスクタイアログを閉じて再度実行してください。 @@ -3411,7 +3411,7 @@ ページをPDFとしてエクスポート - + Document Name: ドキュメント名: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? 本当に続行しますか? @@ -3463,9 +3463,9 @@ リッチテキストクリエイター - + Rich text editor リッチテキストエディタ @@ -3583,8 +3583,8 @@ 詳細ビューを編集 - + Edit %1 %1を編集 @@ -3866,17 +3866,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies オブジェクトの依存関係 @@ -7394,8 +7394,8 @@ You can pick further points to get line segments. - - + + Top 上面図 @@ -7406,8 +7406,8 @@ You can pick further points to get line segments. - - + + Left 左面図 @@ -7418,14 +7418,14 @@ You can pick further points to get line segments. - - + + Right 右面図 - + Rear 背面図 @@ -7436,8 +7436,8 @@ You can pick further points to get line segments. - - + + Bottom 底面 @@ -7488,31 +7488,31 @@ using the given X/Y Spacing 投影境界間の垂直方向の間隔 - - + + FrontTopLeft 前面 左上 - - + + FrontBottomRight 前面 右下 - - + + FrontTopRight 前面 右上 - - + + FrontBottomLeft 前面 左下 - + Front 正面図 diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts index 8f9e85597d8a..c711534e3df1 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ka.ts @@ -1996,8 +1996,8 @@ ელცხრილის შექმნა + - Save page to dxf გვერდის DXF-ში შენახვა @@ -2058,7 +2058,7 @@ ზომის გადათრევა - + Create Balloon სქოლიოს შექმნა @@ -2073,8 +2073,8 @@ ცენტრალურ ხაზის შექმნა - + Create Cosmetic Line დამხმარე ხაზის შექმნა @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection არასწორი მონიშნული @@ -2744,10 +2744,9 @@ მონიშნულში პროფილის ობექტი ვერ ვიპოვე - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection არასწორი არჩევანი - + Select an object first ჯერ აირჩიეთ ობიექტი - + Too many objects selected მონიშნულია მეტისმეტად ბევრი ობიექტი - + Create a page first. ჯერ შექმენით გვერდი. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. მონიშნულში არ არსებობს ნაწილის ხედი. @@ -2906,6 +2906,8 @@ მონიშნული წიბო B-სპლაინს წარმოადგენს. რადიუსი მხოლოდ დაახლოებითი იქნება. გავაგრძელო? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection არასწორი არჩევანი @@ -3058,9 +3058,6 @@ არჩიეთ 2 წერტილოვანი ობიექტი და 1 ხედი. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress მიმდინარეობს ამოცანის შესრულება - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. დახურეთ აქტიური ამოცანის ფანჯარა და თავიდან სცადეთ. @@ -3411,7 +3411,7 @@ გვერდის PDF ფაილად გატანა - + Document Name: დოკუმენტის სახელი: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? დარწმუნებული ბრძანდებით, რომ გნებავთ გააგრძელოთ? @@ -3463,9 +3463,9 @@ ფორმატირებული ტექსტის შემქმნელი - + Rich text editor ტექსტის ფორმატირების რედაქტორი @@ -3583,8 +3583,8 @@ ნაწილის ხედის შეცვლა - + Edit %1 %1-ის ჩასწორება @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. თქვენ არ შეგიძლიათ ამ ხედის წაშლა იმიტომ, რომ მას გააჩნია ერთი ან მეტი დამოკიდებული ხედი, რომელიც გაფუჭდებოდა. - - - - + - - + + + + + Object dependencies ობიექტის დამოკიდებულებები @@ -7404,8 +7404,8 @@ You can pick further points to get line segments. - - + + Top თავზე @@ -7416,8 +7416,8 @@ You can pick further points to get line segments. - - + + Left მარცხენა @@ -7428,14 +7428,14 @@ You can pick further points to get line segments. - - + + Right მარჯვენა - + Rear უკანა @@ -7446,8 +7446,8 @@ You can pick further points to get line segments. - - + + Bottom ქვემოთ @@ -7499,31 +7499,31 @@ using the given X/Y Spacing ვერტიკალური სივრცე პროექციების საზღვრებს შორის - - + + FrontTopLeft წინაზედამარცხენა - - + + FrontBottomRight წინაქვედამარჯვენა - - + + FrontTopRight წინაზედამარჯვენა - - + + FrontBottomLeft წინაქვედამარცხენა - + Front წინ @@ -9384,13 +9384,13 @@ there is an open task dialog. Insert 'n×' Prefix - Insert 'n×' Prefix + 'n×' პრეფიქსის ჩასმა Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool - Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool + გამეორებული თვისების რაოდენობის ჩასმა განზომილების ტექსტის დასაწყისში: <br>- არჩიეთ ერთი ან მეტი განზომილება<br>- დააწკაპუნეთ ამ ხელსაწყოზე diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts index f11a32eb61da..6e19dffcf564 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ko.ts @@ -1996,8 +1996,8 @@ Create spreadsheet view + - Save page to dxf Save page to dxf @@ -2058,7 +2058,7 @@ Drag Dimension - + Create Balloon Create Balloon @@ -2073,8 +2073,8 @@ Create CenterLine - + Create Cosmetic Line 장식 선 만들기 @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection 잘못 된 선택 @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Incorrect selection - + Select an object first Select an object first - + Too many objects selected Too many objects selected - + Create a page first. 먼저 페이지를 작성합니다. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No View of a Part in selection. @@ -2906,6 +2906,8 @@ Selected edge is a BSpline. Radius will be approximate. Continue? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Incorrect Selection @@ -3058,9 +3058,6 @@ Select 2 point objects and 1 View. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Task In Progress - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Close active task dialog and try again. @@ -3411,7 +3411,7 @@ Export Page As PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Are you sure you want to continue? @@ -3463,9 +3463,9 @@ Rich text creator - + Rich text editor Rich text editor @@ -3583,8 +3583,8 @@ Edit Detail View - + Edit %1 Edit %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies 객체 종속성 @@ -7407,8 +7407,8 @@ You can pick further points to get line segments. - - + + Top 평면 @@ -7419,8 +7419,8 @@ You can pick further points to get line segments. - - + + Left 좌측면 @@ -7431,14 +7431,14 @@ You can pick further points to get line segments. - - + + Right 우측면 - + Rear 배면 @@ -7449,8 +7449,8 @@ You can pick further points to get line segments. - - + + Bottom 저면 @@ -7502,31 +7502,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front 정면 diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts index ac549b53c82a..60a8b1a9bb62 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_nl.ts @@ -1996,8 +1996,8 @@ Rekenbladweergave maken + - Save page to dxf Pagina in dxf opslaan @@ -2058,7 +2058,7 @@ Dimensie slepen - + Create Balloon Ballon maken @@ -2073,8 +2073,8 @@ Maak een middenlijn - + Create Cosmetic Line Cosmetische lijn maken @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Verkeerde selectie @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Onjuiste selectie - + Select an object first Selecteer eerst een object - + Too many objects selected Te veel objecten geselecteerd - + Create a page first. Maak eerst een pagina. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Geen aanzicht van een onderdeel in de selectie. @@ -2906,6 +2906,8 @@ Geselecteerde rand is een BSpline. Straal zal approximatief zijn. Doorgaan? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Onjuiste Selectie @@ -3058,9 +3058,6 @@ Selecteer 2 punten en 1 aanzicht. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Taak in uitvoering - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Sluit het actieve taakvenster en probeer opnieuw. @@ -3411,7 +3411,7 @@ Exporteren als PDF - + Document Name: Documentnaam: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Weet u zeker dat u wilt doorgaan? @@ -3463,9 +3463,9 @@ Opgemaakte tekst-maker - + Rich text editor Opgemaakte tekst-editor @@ -3583,8 +3583,8 @@ Bewerk detailweergave - + Edit %1 Bewerken %1 @@ -3867,17 +3867,17 @@ een Lassymbool heeft dat kapot zou gaan. U kunt deze weergave niet verwijderen omdat deze een of meerdere afhankelijke weergave(s) heeft, die dan beschadigd raken. - - - - + - - + + + + + Object dependencies Object afhankelijkheden @@ -7407,8 +7407,8 @@ Je kan meer punten kiezen om lijnsegmenten te krijgen. - - + + Top Boven @@ -7419,8 +7419,8 @@ Je kan meer punten kiezen om lijnsegmenten te krijgen. - - + + Left Links @@ -7431,14 +7431,14 @@ Je kan meer punten kiezen om lijnsegmenten te krijgen. - - + + Right Rechts - + Rear Achter @@ -7449,8 +7449,8 @@ Je kan meer punten kiezen om lijnsegmenten te krijgen. - - + + Bottom Onder @@ -7502,31 +7502,31 @@ met behulp van de gegeven X/Y afstand Verticale afstand tussen de omtrek van projecties - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Voorkant diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts index 29ab604ee274..a8029d03745e 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pl.ts @@ -2051,8 +2051,8 @@ Utwórz widok arkusza kalkulacyjnego + - Save page to dxf Zapisz stronę do pliku dxf @@ -2113,7 +2113,7 @@ Przeciągnij wymiar - + Create Balloon Utwórz balonik dymka @@ -2128,8 +2128,8 @@ Utwórz linię środkową - + Create Cosmetic Line Utwórz linię kosmetyczną @@ -2741,6 +2741,16 @@ QObject + + + + + + + + + + @@ -2758,16 +2768,6 @@ - - - - - - - - - - Wrong selection Nieprawidłowy wybór @@ -2799,10 +2799,9 @@ Nie znaleziono obiektu profilu w zaznaczeniu - - - - + + + @@ -2814,34 +2813,34 @@ - - - + + + + Incorrect selection Nieprawidłowy wybór - + Select an object first Najpierw wybierz obiekt - + Too many objects selected Wybrano zbyt wiele obiektów - + Create a page first. Najpierw stwórz stronę. - @@ -2850,6 +2849,7 @@ + No View of a Part in selection. Brak widoku części w wyborze. @@ -2961,6 +2961,8 @@ Wybrana krawędź to krzywa złożona. Promień będzie przybliżony. Kontynuować? + + @@ -2980,12 +2982,10 @@ - - - + Incorrect Selection Niepoprawny wybór @@ -3113,9 +3113,6 @@ Wybierz dwa obiekty punktów i jeden widok. (2) - - - @@ -3142,6 +3139,11 @@ + + + + + @@ -3149,23 +3151,18 @@ + + + - - - - - Task In Progress Zadanie w toku - - - @@ -3192,6 +3189,11 @@ + + + + + @@ -3199,16 +3201,14 @@ + + + - - - - - Close active task dialog and try again. Zamknij okno aktywnego zadania i spróbuj ponownie. @@ -3466,7 +3466,7 @@ Wyeksportuj stronę do formatu PDF - + Document Name: Nazwa dokumentu: @@ -3482,8 +3482,8 @@ - + Are you sure you want to continue? Czy na pewno chcesz kontynuować? @@ -3518,9 +3518,9 @@ Kreator tekstu sformatowanego - + Rich text editor Edytor tekstu sformatowanego @@ -3638,8 +3638,8 @@ Edytuj widok szczegółu - + Edit %1 Edytuj %1 @@ -3922,17 +3922,17 @@ zawiera symbol spoiny który zostałby uszkodzony. Nie można usunąć tego widoku, ponieważ ma on co najmniej jeden obiekt zależny, który zostałby uszkodzony. - - - - + - - + + + + + Object dependencies Zależności obiektu @@ -7464,8 +7464,8 @@ Możesz wybrać kolejne punkty, aby uzyskać odcinki linii. - - + + Top Od góry @@ -7476,8 +7476,8 @@ Możesz wybrać kolejne punkty, aby uzyskać odcinki linii. - - + + Left Od lewej @@ -7488,14 +7488,14 @@ Możesz wybrać kolejne punkty, aby uzyskać odcinki linii. - - + + Right Od prawej - + Rear Od tył @@ -7506,8 +7506,8 @@ Możesz wybrać kolejne punkty, aby uzyskać odcinki linii. - - + + Bottom Od dołu @@ -7559,31 +7559,31 @@ przy użyciu podanego odstępu X/Y Odstęp pionowy między ramkami wyświetlanych elementów - - + + FrontTopLeft Przód góra lewo - - + + FrontBottomRight Przód dół prawo - - + + FrontTopRight Przód góra prawo - - + + FrontBottomLeft Przód dół lewo - + Front Od przodu @@ -9446,13 +9446,15 @@ jest otwarte okno dialogowe zadania. Insert 'n×' Prefix - Insert 'n×' Prefix + Dodaj przedrostek "n×" Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool - Insert repeated feature count at the beginning of the dimension text:<br>- Select one or more dimensions<br>- Click this tool + Wstaw powtarzającą się liczbę elementów na początku tekstu wymiaru: +- Wybierz jeden lub więcej wymiarów, +- Kliknij to narzędzie. diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-BR.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-BR.ts index 9b894795d0b6..c6e6b41c2f4e 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-BR.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-BR.ts @@ -1996,8 +1996,8 @@ Criar vista de planilha + - Save page to dxf Salvar página para dxf @@ -2058,7 +2058,7 @@ Arrastar Dimensão - + Create Balloon Criar Balão @@ -2073,8 +2073,8 @@ Criar linha central - + Create Cosmetic Line Criar Linha Cosmética @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Seleção errada @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Seleção incorreta - + Select an object first Selecione um objeto primeiro - + Too many objects selected Demasiados objetos selecionados - + Create a page first. Primeiro, crie uma página. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Nenhuma vista de uma peça na seleção. @@ -2906,6 +2906,8 @@ A aresta selecionada é uma BSpline. O raio será aproximado. Continuar? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Seleção Incorreta @@ -3058,9 +3058,6 @@ Selecionar 2 pontos e 1 vista. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Tarefa em andamento - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Feche a caixa de diálogo ativa e tente novamente. @@ -3411,7 +3411,7 @@ Exportar página para PDF - + Document Name: Nome do documento: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Tem certeza que deseja continuar? @@ -3463,9 +3463,9 @@ Criador de texto - + Rich text editor Editor de texto @@ -3583,8 +3583,8 @@ Editar vista de detalhe - + Edit %1 Editar %1 @@ -3867,17 +3867,17 @@ ela tem um símbolo de solda que quebraria. Você não pode excluir esta visão porque ela tem uma ou mais visualizações dependentes que se tornariam quebradas. - - - - + - - + + + + + Object dependencies Dependências do objeto @@ -7407,8 +7407,8 @@ Você pode indicar mais pontos para obter segmentos de linha. - - + + Top Topo @@ -7419,8 +7419,8 @@ Você pode indicar mais pontos para obter segmentos de linha. - - + + Left Esquerda @@ -7431,14 +7431,14 @@ Você pode indicar mais pontos para obter segmentos de linha. - - + + Right Direito - + Rear Traseira @@ -7449,8 +7449,8 @@ Você pode indicar mais pontos para obter segmentos de linha. - - + + Bottom De baixo @@ -7502,31 +7502,31 @@ usando o espaçamento X/Y fornecido Espaço vertical entre a borda das projeções - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Frente diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-PT.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-PT.ts index 1b922a32ee09..c39167ac8be8 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-PT.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_pt-PT.ts @@ -1996,8 +1996,8 @@ Criar vista de folha de cálculo + - Save page to dxf Salvar folha para dxf @@ -2058,7 +2058,7 @@ Arrastar Dimensão - + Create Balloon Criar Balão @@ -2073,8 +2073,8 @@ Criar LinhadeEixo - + Create Cosmetic Line Criar Linha Cosmética @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Seleção errada @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Selecção incorrecta - + Select an object first Selecione um objeto primeiro - + Too many objects selected Demasiados objetos selecionados - + Create a page first. Primeiro, crie uma página. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Nenhuma vista de uma peça na seleção. @@ -2906,6 +2906,8 @@ A aresta selecionada é uma BSpline. O raio será aproximado. Continuar? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Seleção Incorreta @@ -3058,9 +3058,6 @@ Selecione 2 pontos e 1 vista. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Tarefa em execução - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Fechar a caixa de diálogo ativa e tentar novamente. @@ -3411,7 +3411,7 @@ Exportar folha como PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Tem certeza que deseja continuar? @@ -3463,9 +3463,9 @@ Criador de Rich text - + Rich text editor Editor de Rich text @@ -3583,8 +3583,8 @@ Editar Vista de Detalhe - + Edit %1 Edite %1 @@ -3867,17 +3867,17 @@ ela tem um símbolo de soldadura que se quebrará. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Dependências do objeto @@ -7406,8 +7406,8 @@ Você pode escolher pontos adicionais para obter segmentos de linha. - - + + Top Topo @@ -7418,8 +7418,8 @@ Você pode escolher pontos adicionais para obter segmentos de linha. - - + + Left Esquerda @@ -7430,14 +7430,14 @@ Você pode escolher pontos adicionais para obter segmentos de linha. - - + + Right Direita - + Rear Traseira @@ -7448,8 +7448,8 @@ Você pode escolher pontos adicionais para obter segmentos de linha. - - + + Bottom De baixo @@ -7501,31 +7501,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Frente diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts index 8e04ee6ebf7b..55945900dc86 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ro.ts @@ -1996,8 +1996,8 @@ Create spreadsheet view + - Save page to dxf Save page to dxf @@ -2058,7 +2058,7 @@ Drag Dimension - + Create Balloon Create Balloon @@ -2073,8 +2073,8 @@ Create CenterLine - + Create Cosmetic Line Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Selecţie greşită @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Selectarea incorectă - + Select an object first Selectaţi un obiect mai întâi - + Too many objects selected Prea multe obiecte selectate - + Create a page first. Creați /selectați o pagină mai întâi. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No View of a Part in selection. @@ -2906,6 +2906,8 @@ Selected edge is a BSpline. Radius will be approximate. Continue? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Selectarea incorectă @@ -3058,9 +3058,6 @@ Select 2 point objects and 1 View. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Task In Progress - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Close active task dialog and try again. @@ -3411,7 +3411,7 @@ Exportă pagina ca PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Are you sure you want to continue? @@ -3463,9 +3463,9 @@ Rich text creator - + Rich text editor Rich text editor @@ -3583,8 +3583,8 @@ Edit Detail View - + Edit %1 Editare %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Dependențe obiect @@ -7406,8 +7406,8 @@ You can pick further points to get line segments. - - + + Top Partea de sus @@ -7418,8 +7418,8 @@ You can pick further points to get line segments. - - + + Left Stanga @@ -7430,14 +7430,14 @@ You can pick further points to get line segments. - - + + Right Dreapta - + Rear Din spate @@ -7448,8 +7448,8 @@ You can pick further points to get line segments. - - + + Bottom Partea de jos @@ -7501,31 +7501,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Din față diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts index 97739cfacfa2..58bf69a286be 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_ru.ts @@ -1996,8 +1996,8 @@ Создать электронную таблицу + - Save page to dxf Сохранить лист в DXF формате @@ -2058,7 +2058,7 @@ Перетащите размер - + Create Balloon Создать позиционную выноску @@ -2073,8 +2073,8 @@ Создать центральную линию - + Create Cosmetic Line Создать Косметическую Линию @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Неправильное выделение @@ -2744,10 +2744,9 @@ Не найдено объектов профиля в выборке - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Некорректный выбор - + Select an object first Сначала выберите объект - + Too many objects selected Выбрано слишком много объектов - + Create a page first. Сначала создайте страницу. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Нет видов детали в выбранном. @@ -2906,6 +2906,8 @@ Выбранная грань - BSpline. Радиус будет приблизительным. Продолжить? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Некорректный выбор @@ -3058,9 +3058,6 @@ Выберите 2 точечные объекты и 1 Вид. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Задача в процессе - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Закройте окно активной задачи и повторите снова. @@ -3411,7 +3411,7 @@ Экспорт листа в PDF - + Document Name: Название документа: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Вы уверены, что хотите продолжить? @@ -3463,9 +3463,9 @@ Создатель форматированного текста - + Rich text editor Редактор форматированного текста @@ -3583,8 +3583,8 @@ Править выносной элемент - + Edit %1 Редактировать %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. Вы не можете удалить этот вид, потомучто это повредит один или более других зависимых от него видов. - - - - + - - + + + + + Object dependencies Зависимости объекта @@ -7403,8 +7403,8 @@ You can pick further points to get line segments. - - + + Top Сверху @@ -7415,8 +7415,8 @@ You can pick further points to get line segments. - - + + Left Слева @@ -7427,14 +7427,14 @@ You can pick further points to get line segments. - - + + Right Справа - + Rear Сзади @@ -7445,8 +7445,8 @@ You can pick further points to get line segments. - - + + Bottom Снизу @@ -7498,31 +7498,31 @@ using the given X/Y Spacing Вертикальное пространство между границами проекций - - + + FrontTopLeft Спереди сверху слева - - + + FrontBottomRight Спереди снизу справа - - + + FrontTopRight Спереди сверху справа - - + + FrontBottomLeft Спереди снизу слева - + Front Спереди diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts index 876e6d6ddcae..bc348ab2d608 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sl.ts @@ -1996,8 +1996,8 @@ Ustvari preglednični pogled + - Save page to dxf Shrani stran kot DXF @@ -2058,7 +2058,7 @@ Vleci koto - + Create Balloon Ustvari opisnico @@ -2073,8 +2073,8 @@ Ustvari Središčnico - + Create Cosmetic Line Ustvari dopolnilno črto @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Napačna izbira @@ -2744,10 +2744,9 @@ V izboru ni nobenega prereznega predmeta - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Nepravilen izbor - + Select an object first Izberite najprej predmet - + Too many objects selected Izbranih je preveč predmetov - + Create a page first. Najprej ustvarite stran. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. V izboru ni pogleda na del. @@ -2906,6 +2906,8 @@ Izbrani rob je B-zlepek. Polmer bo približen. Nadaljevanje? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Nepravilna Izbira @@ -3058,9 +3058,6 @@ Izberite dva točkovna predmeta in en pogled. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Opravilo je v teku - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Zapri dejavno pogovorno okno z opravili in poskusi ponovno. @@ -3411,7 +3411,7 @@ Izvozi stran v PDF - + Document Name: Ime dokumenta: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Ali ste prepričani da želite nadaljevati? @@ -3463,9 +3463,9 @@ Ustvarjalnik obogatenega besedila - + Rich text editor Urejevalnik obogatenega besedila @@ -3583,8 +3583,8 @@ Uredi podrobni pogled - + Edit %1 Uredi %1 @@ -3867,17 +3867,17 @@ oznako za varjenje, ki bi postala okvarjena. Tega pogleda ne morete izbrisati, ker vsebuje enega ali več odvisnih pogledov, ki bi se tako pokvarili. - - - - + - - + + + + + Object dependencies Odvisnosti predmetov @@ -7407,8 +7407,8 @@ Izberete lahko še druge točke, da dobite črtne odseke. - - + + Top Zgoraj @@ -7419,8 +7419,8 @@ Izberete lahko še druge točke, da dobite črtne odseke. - - + + Left Levo @@ -7431,14 +7431,14 @@ Izberete lahko še druge točke, da dobite črtne odseke. - - + + Right Desno - + Rear Zadaj @@ -7449,8 +7449,8 @@ Izberete lahko še druge točke, da dobite črtne odseke. - - + + Bottom Spodaj @@ -7502,31 +7502,31 @@ s pomočjo podanih X/Y odmikov Navpični odmik med mejami preslikav - - + + FrontTopLeft Spredaj-levo-zgoraj - - + + FrontBottomRight Spredaj-desno-spodaj - - + + FrontTopRight Spredaj-desno-zgoraj - - + + FrontBottomLeft Spredaj-levo-spodaj - + Front Spredaj diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr-CS.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr-CS.ts index d7696b2125b6..c2f87cc514ca 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr-CS.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr-CS.ts @@ -1996,8 +1996,8 @@ Napravi pogled of tabele + - Save page to dxf Sačuvaj crtež kao dxf @@ -2058,7 +2058,7 @@ Prevuci kotu - + Create Balloon Napravi pozicionu oznaku @@ -2073,8 +2073,8 @@ Napravi osnu liniju - + Create Cosmetic Line Napravi pomoćnu duž @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Pogrešan izbor @@ -2744,10 +2744,9 @@ Nije izabran objekat sa profilom - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Pogrešan izbor - + Select an object first Prvo izaberi objekat - + Too many objects selected Previše objekata je izabrano - + Create a page first. Prvo napravi stranicu. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Nije izabran pogled dela. @@ -2906,6 +2906,8 @@ Izabrana ivica je B-Splajn. Radijus će biti približan. Nastavi? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Pogrešan izbor @@ -3058,9 +3058,6 @@ Izaberi 2 tačkasta objekta i 1 pogled. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Zadatak u toku - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Zatvori dijalog aktivnog zadatka i pokušaj ponovo. @@ -3411,7 +3411,7 @@ Izvezi crtež kao PDF - + Document Name: Ime dokumenta: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Da li si siguran da želiš da nastaviš? @@ -3463,9 +3463,9 @@ Tvorac formatiranog teksta - + Rich text editor Urednik za formatiranje teksta @@ -3583,8 +3583,8 @@ Uredi detaljni pogled - + Edit %1 Uredi %1 @@ -3867,17 +3867,17 @@ ima simbol zavarivanja koji bi se pokvario. Ne možeš obrisati ovaj pogled jer ima jedan ili više zavisnih objekata koji će postati neispravni. - - - - + - - + + + + + Object dependencies Međuzavisnosti objekata @@ -7109,7 +7109,7 @@ Možeš odabrati dodatne tačke da bi dobio segmente linija. Continuous - Continuous + Puna @@ -7403,8 +7403,8 @@ Možeš odabrati dodatne tačke da bi dobio segmente linija. - - + + Top Odozgo @@ -7415,8 +7415,8 @@ Možeš odabrati dodatne tačke da bi dobio segmente linija. - - + + Left Sleva @@ -7427,14 +7427,14 @@ Možeš odabrati dodatne tačke da bi dobio segmente linija. - - + + Right Sdesna - + Rear Straga @@ -7445,8 +7445,8 @@ Možeš odabrati dodatne tačke da bi dobio segmente linija. - - + + Bottom Odozdo @@ -7497,31 +7497,31 @@ using the given X/Y Spacing Vertikalni razmak između osnovnih pogleda - - + + FrontTopLeft SpredaOdozgoSleva - - + + FrontBottomRight SpredaOdozdoSdesna - - + + FrontTopRight SpredaOdozgoSdesna - - + + FrontBottomLeft SpredaOdozdoSleva - + Front Spreda @@ -7702,7 +7702,7 @@ using the given X/Y Spacing Continuous - Continuous + Puna @@ -9024,22 +9024,22 @@ postoji otvoren panel zadataka. Position - Position + Položaj X-Offset - X-Offset + Odmak po X Y-Offset - Y-Offset + Odmak po Y Enter X offset value - Enter X offset value + Unesi vrednost odmak po X @@ -9047,7 +9047,7 @@ postoji otvoren panel zadataka. Add an offset vertex - Add an offset vertex + Dodaj odmaknuto teme @@ -9063,7 +9063,7 @@ postoji otvoren panel zadataka. Add offset vertex - Add offset vertex + Dodaj odmaknuto teme @@ -9091,7 +9091,7 @@ postoji otvoren panel zadataka. Update All - Update All + Ažuriraj sve @@ -9122,7 +9122,7 @@ postoji otvoren panel zadataka. No vertex selected - No vertex selected + Nije izabrano teme @@ -9133,7 +9133,7 @@ postoji otvoren panel zadataka. vertexes - vertexes + temena @@ -9143,7 +9143,7 @@ postoji otvoren panel zadataka. edges - edges + ivice diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts index 841f62fad100..f4c15d635e66 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sr.ts @@ -1996,8 +1996,8 @@ Направи поглед од табеле + - Save page to dxf Сачувај цртеж као dxf @@ -2058,7 +2058,7 @@ Превуци коту - + Create Balloon Направи позициону ознаку @@ -2073,8 +2073,8 @@ Направи Осну линију - + Create Cosmetic Line Направи помоћну дуж @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Погрешан избор @@ -2744,10 +2744,9 @@ Није изабран објекат са профилом - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Погрешан избор - + Select an object first Прво изабери објекат - + Too many objects selected Превише објеката је изабрано - + Create a page first. Прво направи страницу. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Није изабран поглед дела. @@ -2906,6 +2906,8 @@ Изабрана ивица је Б-Сплајн. Полупречник ће бити приближан. Настави? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Погрешан избор @@ -3058,9 +3058,6 @@ Изабери 2 тачкаста објекта и 1 поглед. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Задатак у току - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Затвори дијалог активног задатка и покушај поново. @@ -3411,7 +3411,7 @@ Извези цртеж као PDF - + Document Name: Име документа: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Да ли си сигуран да желиш да наставиш? @@ -3463,9 +3463,9 @@ Творац форматираног текста - + Rich text editor Уредник форматираног текста @@ -3583,8 +3583,8 @@ Уреди детаљни поглед - + Edit %1 Уреди %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. Не можеш обрисати овај поглед јер има један или више зависних објеката који ће постати неисправни. - - - - + - - + + + + + Object dependencies Међузависности објеката @@ -7109,7 +7109,7 @@ You can pick further points to get line segments. Continuous - Continuous + Пуна @@ -7403,8 +7403,8 @@ You can pick further points to get line segments. - - + + Top Одозго @@ -7415,8 +7415,8 @@ You can pick further points to get line segments. - - + + Left Слева @@ -7427,14 +7427,14 @@ You can pick further points to get line segments. - - + + Right Сдесна - + Rear Страга @@ -7445,8 +7445,8 @@ You can pick further points to get line segments. - - + + Bottom Одоздо @@ -7497,31 +7497,31 @@ using the given X/Y Spacing Вертикални размак између основних погледа - - + + FrontTopLeft СпредаОдозгоСлева - - + + FrontBottomRight СпредаОдоздоСдесна - - + + FrontTopRight СпредаОдозгоСдесна - - + + FrontBottomLeft СпредаОдоздоСлева - + Front Спреда @@ -7702,7 +7702,7 @@ using the given X/Y Spacing Continuous - Continuous + Пуна @@ -9024,22 +9024,22 @@ there is an open task dialog. Position - Position + Положај X-Offset - X-Offset + Одмак по X Y-Offset - Y-Offset + Одмак по Y Enter X offset value - Enter X offset value + Унеси вредност одмака по X @@ -9047,7 +9047,7 @@ there is an open task dialog. Add an offset vertex - Add an offset vertex + Додај одмакнуто теме @@ -9063,7 +9063,7 @@ there is an open task dialog. Add offset vertex - Add offset vertex + Додај одмакнуто теме @@ -9091,7 +9091,7 @@ there is an open task dialog. Update All - Update All + Ажурирај све @@ -9122,7 +9122,7 @@ there is an open task dialog. No vertex selected - No vertex selected + Није изабрано теме @@ -9133,7 +9133,7 @@ there is an open task dialog. vertexes - vertexes + темена @@ -9143,7 +9143,7 @@ there is an open task dialog. edges - edges + ивице diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sv-SE.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sv-SE.ts index 8edd19b50076..a968c12306af 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sv-SE.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_sv-SE.ts @@ -1996,8 +1996,8 @@ Skapa kalkylbladsvy + - Save page to dxf Spara sida på dxf @@ -2058,7 +2058,7 @@ Dra dimension - + Create Balloon Skapa ballong @@ -2073,8 +2073,8 @@ Skapa CenterLine - + Create Cosmetic Line Skapa kosmetisk linje @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Fel val @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Felaktig markering - + Select an object first Markera ett objekt först - + Too many objects selected För många objekt markerade - + Create a page first. Skapa en sida först. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Ingen delvy i markeringen. @@ -2906,6 +2906,8 @@ Markerad kant är en B-spline, radie kommer att vara uppskattad. Fortsätt? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Felaktig markering @@ -3058,9 +3058,6 @@ Markera 2 punktobjekt och 1 Visa. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Uppgift pågår - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Stäng aktiv uppgiftsdialog och försök igen. @@ -3411,7 +3411,7 @@ Exportera sida som PDF - + Document Name: Dokumentnamn: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Är du säker på att du vill fortsätta? @@ -3463,9 +3463,9 @@ Rich Text-skapare - + Rich text editor Rich Text-redigerare @@ -3583,8 +3583,8 @@ Redigera detaljvy - + Edit %1 Redigera %1 @@ -3867,17 +3867,17 @@ den har en svetssymbol som skulle bli trasig. Du kan inte ta bort denna vy eftersom den har en eller flera beroende vyer som skulle brytas. - - - - + - - + + + + + Object dependencies Objektberoenden @@ -7407,8 +7407,8 @@ Du kan plocka ytterligare poäng för att få linjesegment. - - + + Top Topp @@ -7419,8 +7419,8 @@ Du kan plocka ytterligare poäng för att få linjesegment. - - + + Left Vänster @@ -7431,14 +7431,14 @@ Du kan plocka ytterligare poäng för att få linjesegment. - - + + Right Höger - + Rear Bak @@ -7449,8 +7449,8 @@ Du kan plocka ytterligare poäng för att få linjesegment. - - + + Bottom Botten @@ -7502,31 +7502,31 @@ med hjälp av det givna X/Y-avstånden Vertikalt utrymme mellan gränsen för prognoser - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Front diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts index d41d37c14a1c..8fdfa2f4d8d2 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_tr.ts @@ -1996,8 +1996,8 @@ Elektronik tablo görünümü oluştur + - Save page to dxf Sayfayı dxf olarak kaydedin @@ -2058,7 +2058,7 @@ Ölçüyü Sürükle - + Create Balloon Balon Oluştur @@ -2073,8 +2073,8 @@ MerkezÇizgisi Oluştur - + Create Cosmetic Line Yardımcı çizgi oluştur @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Yanlış seçim @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Yanlış seçim - + Select an object first Önce bir nesne seçin - + Too many objects selected Çok fazla nesne seçili - + Create a page first. Önce bir sayfa oluşturun. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. Seçimde Parça Görünümü Yok. @@ -2906,6 +2906,8 @@ Seçili kenar bir BSpline'dır. Yarıçap yaklaşık olacaktır. Devam? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Hatalı seçim @@ -3058,9 +3058,6 @@ 2 nokta nesnesi ve 1 görünüm seçin(2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Devam eden görevler - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Etkin görev iletişim kutusunu kapatın ve yeniden deneyin. @@ -3411,7 +3411,7 @@ Sayfayı PDF olarak dışa aktar - + Document Name: Belge Adı: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Devam etmek istediğinizden emin misiniz? @@ -3463,9 +3463,9 @@ Zengin metin oluşturucusu - + Rich text editor Zengin metin düzenleyicisi @@ -3583,8 +3583,8 @@ Detaylı Görünümü düzenle - + Edit %1 %1'i düzenle @@ -3866,17 +3866,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Nesne bağımlılıkları @@ -7403,8 +7403,8 @@ sonra en az ikinci bir noktayı seçin. - - + + Top üst @@ -7415,8 +7415,8 @@ sonra en az ikinci bir noktayı seçin. - - + + Left Sol @@ -7427,14 +7427,14 @@ sonra en az ikinci bir noktayı seçin. - - + + Right Sağ - + Rear Arka @@ -7445,8 +7445,8 @@ sonra en az ikinci bir noktayı seçin. - - + + Bottom Alt @@ -7498,31 +7498,31 @@ gösterimleri otomatik dağıtır Çıkıntıların sınırları arasındaki dikey boşluk - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Ön diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts index 5119ff81bd69..83688a591538 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_uk.ts @@ -1996,8 +1996,8 @@ Create spreadsheet view + - Save page to dxf Зберегти сторінку в dxf файл @@ -2058,7 +2058,7 @@ Drag Dimension - + Create Balloon Create Balloon @@ -2073,8 +2073,8 @@ Create CenterLine - + Create Cosmetic Line Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Невірний вибір @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Некоректний вибір - + Select an object first Оберіть об'єкт для початку - + Too many objects selected Обрано забагато об'єктів - + Create a page first. Спочатку створіть сторінку. - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No View of a Part in selection. @@ -2906,6 +2906,8 @@ Selected edge is a BSpline. Radius will be approximate. Continue? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Некоректний вибір @@ -3058,9 +3058,6 @@ Select 2 point objects and 1 View. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Task In Progress - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Close active task dialog and try again. @@ -3411,7 +3411,7 @@ Експорт в PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Ви впевнені, що бажаєте продовжити? @@ -3463,9 +3463,9 @@ Rich text creator - + Rich text editor Rich text editor @@ -3583,8 +3583,8 @@ Edit Detail View - + Edit %1 Редагувати %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. Не можна видалити цей вид, оскільки він має один або більше залежних видів, що будуть зламані. - - - - + - - + + + + + Object dependencies Залежності обʼєктів @@ -7406,8 +7406,8 @@ You can pick further points to get line segments. - - + + Top Згори @@ -7418,8 +7418,8 @@ You can pick further points to get line segments. - - + + Left Ліворуч @@ -7430,14 +7430,14 @@ You can pick further points to get line segments. - - + + Right Направо - + Rear Ззаду @@ -7448,8 +7448,8 @@ You can pick further points to get line segments. - - + + Bottom Знизу @@ -7501,31 +7501,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Фронтальний diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_val-ES.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_val-ES.ts index 9f0cef91a2e4..b43637e661a3 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_val-ES.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_val-ES.ts @@ -1996,8 +1996,8 @@ Create spreadsheet view + - Save page to dxf Save page to dxf @@ -2058,7 +2058,7 @@ Drag Dimension - + Create Balloon Create Balloon @@ -2073,8 +2073,8 @@ Create CenterLine - + Create Cosmetic Line Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection Selecció incorrecta @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection Selecció incorrecta - + Select an object first Seleccioneu primer un objecte - + Too many objects selected Massa objectes seleccionats - + Create a page first. Creeu una pàgina primer - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. No hi ha cap vista d'una peça en la selecció. @@ -2906,6 +2906,8 @@ L'aresta seleccionada és una BSpline. El radi serà aproximat. Voleu continuar? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection Selecció incorrecta @@ -3058,9 +3058,6 @@ Seleccioneu 2 objectes punt i una vista. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress Tasca en procés - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. Tanca el quadre de diàleg de tasques actiu i intenta-ho altra vegada. @@ -3411,7 +3411,7 @@ Exporta una pàgina com a PDF - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? Are you sure you want to continue? @@ -3463,9 +3463,9 @@ Creador de text enriquit - + Rich text editor Editor de text enriquit @@ -3583,8 +3583,8 @@ Edit Detail View - + Edit %1 Edita %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. You cannot delete this view because it has one or more dependent views that would become broken. - - - - + - - + + + + + Object dependencies Dependències de l'objecte @@ -7397,8 +7397,8 @@ You can pick further points to get line segments. - - + + Top Planta @@ -7409,8 +7409,8 @@ You can pick further points to get line segments. - - + + Left Esquerra @@ -7421,14 +7421,14 @@ You can pick further points to get line segments. - - + + Right Dreta - + Rear Posterior @@ -7439,8 +7439,8 @@ You can pick further points to get line segments. - - + + Bottom Inferior @@ -7492,31 +7492,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front Alçat diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-CN.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-CN.ts index f5af949dae47..4e8d10b6c884 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-CN.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-CN.ts @@ -1996,8 +1996,8 @@ 创建电子表格视图 + - Save page to dxf 保存页面到 dxf @@ -2058,7 +2058,7 @@ 拖动尺寸 - + Create Balloon 创建气球 @@ -2073,8 +2073,8 @@ 创建中心线 - + Create Cosmetic Line Create Cosmetic Line @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection 选择错误 @@ -2744,10 +2744,9 @@ No profile object found in selection - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection 选择错误 - + Select an object first 首先选择对象 - + Too many objects selected 选择的对象过多 - + Create a page first. 首先创建一个页面。 - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. 没有选择中零件的视图。 @@ -2906,6 +2906,8 @@ 所选边是贝赛尔曲线。 半径将是近似值。继续? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection 选择错误 @@ -3058,9 +3058,6 @@ Select 2 point objects and 1 View. (2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress 任务正在进行 - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. 关闭活动任务对话框并重试。 @@ -3411,7 +3411,7 @@ 以 PDF 格式导出页面 - + Document Name: Document Name: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? 您确定要继续吗? @@ -3463,9 +3463,9 @@ 富文本生成器 - + Rich text editor 富文本编辑器 @@ -3583,8 +3583,8 @@ 编辑局部视图 - + Edit %1 编辑 %1 @@ -3866,17 +3866,17 @@ it has a weld symbol that would become broken. 您不能删除此视图,因为它有一个或多个依赖的视图会被损坏。 - - - - + - - + + + + + Object dependencies 对象依赖关系 @@ -7405,8 +7405,8 @@ You can pick further points to get line segments. - - + + Top 俯视 @@ -7417,8 +7417,8 @@ You can pick further points to get line segments. - - + + Left 左视 @@ -7429,14 +7429,14 @@ You can pick further points to get line segments. - - + + Right 右视 - + Rear 后视 @@ -7447,8 +7447,8 @@ You can pick further points to get line segments. - - + + Bottom 底视 @@ -7500,31 +7500,31 @@ using the given X/Y Spacing Vertical space between border of projections - - + + FrontTopLeft FrontTopLeft - - + + FrontBottomRight FrontBottomRight - - + + FrontTopRight FrontTopRight - - + + FrontBottomLeft FrontBottomLeft - + Front 前视 diff --git a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-TW.ts b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-TW.ts index 5a792ed6c3f8..5d3ddab7c5b7 100644 --- a/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-TW.ts +++ b/src/Mod/TechDraw/Gui/Resources/translations/TechDraw_zh-TW.ts @@ -1996,8 +1996,8 @@ 建立試算表視圖 + - Save page to dxf 儲存頁面為 DXF 格式 @@ -2058,7 +2058,7 @@ 拖曳標註 - + Create Balloon 建立件號圓圈 @@ -2073,8 +2073,8 @@ 建立中心線 - + Create Cosmetic Line 建立裝飾線 @@ -2686,6 +2686,16 @@ QObject + + + + + + + + + + @@ -2703,16 +2713,6 @@ - - - - - - - - - - Wrong selection 錯誤的選取 @@ -2744,10 +2744,9 @@ 在選擇中找不到輪廓物件 - - - - + + + @@ -2759,34 +2758,34 @@ - - - + + + + Incorrect selection 不正確的選取 - + Select an object first 請先選一個物件 - + Too many objects selected 太多物件被選擇 - + Create a page first. 請先建立一個頁面 - @@ -2795,6 +2794,7 @@ + No View of a Part in selection. 選擇中的零件沒有視圖。 @@ -2906,6 +2906,8 @@ 選取邊為 B 雲形線。半徑將會是近似值。是否繼續 ? + + @@ -2925,12 +2927,10 @@ - - - + Incorrect Selection 不正確的選取 @@ -3058,9 +3058,6 @@ 選擇 2 點物件以及 1 個視圖。(2) - - - @@ -3087,6 +3084,11 @@ + + + + + @@ -3094,23 +3096,18 @@ + + + - - - - - Task In Progress 任務進行中 - - - @@ -3137,6 +3134,11 @@ + + + + + @@ -3144,16 +3146,14 @@ + + + - - - - - Close active task dialog and try again. 關閉活動任務對話框並重試。 @@ -3411,7 +3411,7 @@ 匯出頁面為 PDF 檔 - + Document Name: 文件名稱: @@ -3427,8 +3427,8 @@ - + Are you sure you want to continue? 您確定要繼續嗎? @@ -3463,9 +3463,9 @@ 富文字產生器 - + Rich text editor 富文字編輯器 @@ -3583,8 +3583,8 @@ 編輯詳細視圖 - + Edit %1 編輯 %1 @@ -3867,17 +3867,17 @@ it has a weld symbol that would become broken. 您無法刪除此視圖,因為它具有一個或多個相依視圖,刪除將導致這些相依視圖損壞。 - - - - + - - + + + + + Object dependencies 物件相依 @@ -7397,8 +7397,8 @@ You can pick further points to get line segments. - - + + Top 上視圖 @@ -7409,8 +7409,8 @@ You can pick further points to get line segments. - - + + Left 左視圖 @@ -7421,14 +7421,14 @@ You can pick further points to get line segments. - - + + Right 右視圖 - + Rear 後視圖 @@ -7439,8 +7439,8 @@ You can pick further points to get line segments. - - + + Bottom 底視圖 @@ -7491,31 +7491,31 @@ using the given X/Y Spacing 投影邊界之間的垂直空間 - - + + FrontTopLeft 前上左 - - + + FrontBottomRight 前底右 - - + + FrontTopRight 前上右 - - + + FrontBottomLeft 前底左 - + Front 前視圖 diff --git a/src/Mod/TechDraw/Gui/TaskSectionView.cpp b/src/Mod/TechDraw/Gui/TaskSectionView.cpp index 3eaa4a937da2..40b2d880b6e1 100644 --- a/src/Mod/TechDraw/Gui/TaskSectionView.cpp +++ b/src/Mod/TechDraw/Gui/TaskSectionView.cpp @@ -432,10 +432,7 @@ bool TaskSectionView::apply(bool forceUpdate) if (!ui->cbLiveUpdate->isChecked() && !forceUpdate) { //nothing to do m_applyDeferred++; - QString msgLiteral = - QString::fromUtf8(QT_TRANSLATE_NOOP("TaskPojGroup", " updates pending")); - QString msgNumber = QString::number(m_applyDeferred); - ui->lPendingUpdates->setText(msgNumber + msgLiteral); + ui->lPendingUpdates->setText(tr("%n update(s) pending", "", m_applyDeferred)); return false; } diff --git a/src/Mod/TechDraw/Gui/ViewProviderLeader.cpp b/src/Mod/TechDraw/Gui/ViewProviderLeader.cpp index 5adefb65f99c..e67ea9693d68 100644 --- a/src/Mod/TechDraw/Gui/ViewProviderLeader.cpp +++ b/src/Mod/TechDraw/Gui/ViewProviderLeader.cpp @@ -102,23 +102,6 @@ bool ViewProviderLeader::doubleClicked() return true; } -void ViewProviderLeader::updateData(const App::Property* p) -{ - if (!getFeature()->isRestoring()) { - if (p == &getFeature()->LeaderParent) { - App::DocumentObject* docObj = getFeature()->LeaderParent.getValue(); - TechDraw::DrawView* dv = dynamic_cast(docObj); - if (dv) { - QGIView* qgiv = getQView(); - if (qgiv) { - qgiv->onSourceChange(dv); - } - } - } - } - ViewProviderDrawingView::updateData(p); -} - void ViewProviderLeader::onChanged(const App::Property* p) { if ((p == &Color) || diff --git a/src/Mod/TechDraw/Gui/ViewProviderLeader.h b/src/Mod/TechDraw/Gui/ViewProviderLeader.h index 31d78ce50403..32b919934701 100644 --- a/src/Mod/TechDraw/Gui/ViewProviderLeader.h +++ b/src/Mod/TechDraw/Gui/ViewProviderLeader.h @@ -55,7 +55,6 @@ class TechDrawGuiExport ViewProviderLeader : public ViewProviderDrawingView App::PropertyColor Color; bool useNewSelectionModel() const override {return false;} - void updateData(const App::Property*) override; void onChanged(const App::Property* p) override; bool setEdit(int ModNum) override; bool doubleClicked() override; diff --git a/src/Mod/TechDraw/Gui/ViewProviderPage.cpp b/src/Mod/TechDraw/Gui/ViewProviderPage.cpp index 5c69e056eeee..2a811188807e 100644 --- a/src/Mod/TechDraw/Gui/ViewProviderPage.cpp +++ b/src/Mod/TechDraw/Gui/ViewProviderPage.cpp @@ -42,7 +42,6 @@ #include #include #include -#include #include #include #include @@ -392,7 +391,6 @@ std::vector ViewProviderPage::claimChildren(void) const // for Page, valid children are any View except: DrawProjGroupItem // DrawViewDimension // DrawViewBalloon - // DrawLeaderLine // any FeatuerView in a DrawViewClip // DrawHatch // DrawWeldSymbol @@ -415,7 +413,6 @@ std::vector ViewProviderPage::claimChildren(void) const || docObj->isDerivedFrom(TechDraw::DrawViewDimension::getClassTypeId()) || docObj->isDerivedFrom(TechDraw::DrawHatch::getClassTypeId()) || docObj->isDerivedFrom(TechDraw::DrawViewBalloon::getClassTypeId()) - || docObj->isDerivedFrom(TechDraw::DrawLeaderLine::getClassTypeId()) || docObj->isDerivedFrom(TechDraw::DrawWeldSymbol::getClassTypeId()) || (featView && featView->isInClip())) continue; diff --git a/src/Mod/TechDraw/Gui/Workbench.cpp b/src/Mod/TechDraw/Gui/Workbench.cpp index b65f014c6462..a0b5dfb3e6fb 100644 --- a/src/Mod/TechDraw/Gui/Workbench.cpp +++ b/src/Mod/TechDraw/Gui/Workbench.cpp @@ -43,6 +43,7 @@ using namespace TechDrawGui; qApp->translate("Workbench", "Stacking"); qApp->translate("Workbench", "Add Lines"); qApp->translate("Workbench", "Add Vertices"); + qApp->translate("Workbench", "Page"); qApp->translate("Workbench", "TechDraw"); // Translations for View > Toolbars qApp->translate("Workbench", "TechDraw Annotation"); @@ -57,8 +58,11 @@ using namespace TechDrawGui; qApp->translate("Workbench", "TechDraw Stacking"); qApp->translate("Workbench", "TechDraw Tool Attributes"); qApp->translate("Workbench", "TechDraw Views"); + qApp->translate("Workbench", "Views From Other Workbenches"); + qApp->translate("Workbench", "Clipped Views"); + qApp->translate("Workbench", "Hatching"); + qApp->translate("Workbench", "Symbols"); qApp->translate("Workbench", "Views"); - qApp->translate("Workbench", "Extensions: Centerlines/Threading"); #endif TYPESYSTEM_SOURCE(TechDrawGui::Workbench, Gui::StdWorkbench) diff --git a/src/Mod/TechDraw/TechDrawTools/CommandHoleShaftFit.py b/src/Mod/TechDraw/TechDrawTools/CommandHoleShaftFit.py index 9705778e7d67..0362de79cb8e 100644 --- a/src/Mod/TechDraw/TechDrawTools/CommandHoleShaftFit.py +++ b/src/Mod/TechDraw/TechDrawTools/CommandHoleShaftFit.py @@ -35,6 +35,9 @@ import TechDrawTools +translate = App.Qt.translate + + class CommandHoleShaftFit: """Adds a hole or shaft fit to a selected dimension.""" @@ -48,11 +51,11 @@ def GetResources(self): ), "ToolTip": QT_TRANSLATE_NOOP( "TechDraw_HoleShaftFit", - "Add a hole or shaft fit to a dimension
\ - - select one length dimension or diameter dimension
\ - - click the tool button, a panel opens
\ - - select shaft fit / hole fit
\ - - select the desired ISO 286 fit field using the combo box", + "Add a hole or shaft fit to a dimension\n" + "- select one length dimension or diameter dimension\n" + "- click the tool button, a panel opens\n" + "- select shaft fit / hole fit\n" + "- select the desired ISO 286 fit field using the combo box", ), } @@ -65,10 +68,10 @@ def Activated(self): Gui.Control.showDialog(self.ui) else: msgBox = QtGui.QMessageBox() - msgTitle = QT_TRANSLATE_NOOP( + msgTitle = translate( "TechDraw_HoleShaftFit", "Add a hole or shaft fit to a dimension" ) - msg = QT_TRANSLATE_NOOP( + msg = translate( "TechDraw_HoleShaftFit", "Please select one length dimension or diameter dimension and retry", ) diff --git a/src/Mod/Tux/Resources/translations/Tux_es-ES.qm b/src/Mod/Tux/Resources/translations/Tux_es-ES.qm index 772ff6f38a51..dff461ad47b6 100644 Binary files a/src/Mod/Tux/Resources/translations/Tux_es-ES.qm and b/src/Mod/Tux/Resources/translations/Tux_es-ES.qm differ diff --git a/src/Mod/Tux/Resources/translations/Tux_es-ES.ts b/src/Mod/Tux/Resources/translations/Tux_es-ES.ts index 25f2896eb03b..43d56714d4ef 100644 --- a/src/Mod/Tux/Resources/translations/Tux_es-ES.ts +++ b/src/Mod/Tux/Resources/translations/Tux_es-ES.ts @@ -61,12 +61,12 @@ Settings - Opciones + Ajustes Orbit style - Estilo órbita + Estilo de órbita diff --git a/src/Mod/Web/Gui/Resources/translations/Web.ts b/src/Mod/Web/Gui/Resources/translations/Web.ts index 5db28c6d777c..58b1f1f1ade2 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web.ts @@ -128,8 +128,8 @@ QObject - + Browser diff --git a/src/Mod/Web/Gui/Resources/translations/Web_be.ts b/src/Mod/Web/Gui/Resources/translations/Web_be.ts index 3924b77d629c..82ab11d0442e 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_be.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_be.ts @@ -128,8 +128,8 @@ QObject - + Browser Інтэрнэт-аглядальнік diff --git a/src/Mod/Web/Gui/Resources/translations/Web_ca.ts b/src/Mod/Web/Gui/Resources/translations/Web_ca.ts index e1c3d109d6c8..b5b86d0d0552 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_ca.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_ca.ts @@ -128,8 +128,8 @@ QObject - + Browser Navegador diff --git a/src/Mod/Web/Gui/Resources/translations/Web_cs.ts b/src/Mod/Web/Gui/Resources/translations/Web_cs.ts index daa7e61647d1..d78b3ebbe35a 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_cs.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_cs.ts @@ -128,8 +128,8 @@ QObject - + Browser Prohlížeč diff --git a/src/Mod/Web/Gui/Resources/translations/Web_de.ts b/src/Mod/Web/Gui/Resources/translations/Web_de.ts index aee06d6c6dca..0529ab541c91 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_de.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_de.ts @@ -128,8 +128,8 @@ QObject - + Browser Browser diff --git a/src/Mod/Web/Gui/Resources/translations/Web_el.ts b/src/Mod/Web/Gui/Resources/translations/Web_el.ts index 9f4a94968bfc..e200ca0f283e 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_el.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_el.ts @@ -128,8 +128,8 @@ QObject - + Browser Περιηγητής diff --git a/src/Mod/Web/Gui/Resources/translations/Web_es-AR.ts b/src/Mod/Web/Gui/Resources/translations/Web_es-AR.ts index 1c3433fab5c9..c6a32d09fe6d 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_es-AR.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_es-AR.ts @@ -128,8 +128,8 @@ QObject - + Browser Navegador diff --git a/src/Mod/Web/Gui/Resources/translations/Web_es-ES.ts b/src/Mod/Web/Gui/Resources/translations/Web_es-ES.ts index d4cc495b7916..e5dec37cf1a5 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_es-ES.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_es-ES.ts @@ -128,8 +128,8 @@ QObject - + Browser Navegador diff --git a/src/Mod/Web/Gui/Resources/translations/Web_eu.ts b/src/Mod/Web/Gui/Resources/translations/Web_eu.ts index 48a1833ddf9c..28ce388b31a5 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_eu.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_eu.ts @@ -128,8 +128,8 @@ QObject - + Browser Nabigatzailea diff --git a/src/Mod/Web/Gui/Resources/translations/Web_fi.ts b/src/Mod/Web/Gui/Resources/translations/Web_fi.ts index 8b42ec2adfdc..34c6b2ce77fd 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_fi.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_fi.ts @@ -128,8 +128,8 @@ QObject - + Browser Selain diff --git a/src/Mod/Web/Gui/Resources/translations/Web_fr.ts b/src/Mod/Web/Gui/Resources/translations/Web_fr.ts index 945fe808f0d7..8157e707612c 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_fr.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_fr.ts @@ -128,8 +128,8 @@ QObject - + Browser Navigateur diff --git a/src/Mod/Web/Gui/Resources/translations/Web_gl.ts b/src/Mod/Web/Gui/Resources/translations/Web_gl.ts index ceb637f3fee5..777ce292e26c 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_gl.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_gl.ts @@ -128,8 +128,8 @@ QObject - + Browser Navegador diff --git a/src/Mod/Web/Gui/Resources/translations/Web_hr.ts b/src/Mod/Web/Gui/Resources/translations/Web_hr.ts index 7bcba6060424..f245e7ef5fe3 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_hr.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_hr.ts @@ -128,8 +128,8 @@ QObject - + Browser Preglednik diff --git a/src/Mod/Web/Gui/Resources/translations/Web_hu.ts b/src/Mod/Web/Gui/Resources/translations/Web_hu.ts index d2c3be118c46..44869f237450 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_hu.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_hu.ts @@ -128,8 +128,8 @@ QObject - + Browser Böngésző diff --git a/src/Mod/Web/Gui/Resources/translations/Web_id.ts b/src/Mod/Web/Gui/Resources/translations/Web_id.ts index 64f2b5d860c6..fcfc97270c04 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_id.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_id.ts @@ -128,8 +128,8 @@ QObject - + Browser Browser diff --git a/src/Mod/Web/Gui/Resources/translations/Web_it.ts b/src/Mod/Web/Gui/Resources/translations/Web_it.ts index 016831e75761..0072f540cfaa 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_it.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_it.ts @@ -128,8 +128,8 @@ QObject - + Browser Browser diff --git a/src/Mod/Web/Gui/Resources/translations/Web_ja.ts b/src/Mod/Web/Gui/Resources/translations/Web_ja.ts index 10f51214d063..650761a319fc 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_ja.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_ja.ts @@ -128,8 +128,8 @@ QObject - + Browser ブラウザー diff --git a/src/Mod/Web/Gui/Resources/translations/Web_ka.ts b/src/Mod/Web/Gui/Resources/translations/Web_ka.ts index a5df9954547d..be594d8e88cf 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_ka.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_ka.ts @@ -128,8 +128,8 @@ QObject - + Browser ბრაუზერი diff --git a/src/Mod/Web/Gui/Resources/translations/Web_ko.ts b/src/Mod/Web/Gui/Resources/translations/Web_ko.ts index 2f094bc37815..bc2ad682afd6 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_ko.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_ko.ts @@ -128,8 +128,8 @@ QObject - + Browser 브라우저 diff --git a/src/Mod/Web/Gui/Resources/translations/Web_nl.ts b/src/Mod/Web/Gui/Resources/translations/Web_nl.ts index 8941b9638310..cfd3895aab3b 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_nl.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_nl.ts @@ -128,8 +128,8 @@ QObject - + Browser Browser diff --git a/src/Mod/Web/Gui/Resources/translations/Web_pl.ts b/src/Mod/Web/Gui/Resources/translations/Web_pl.ts index 436291e431d6..6fcfecff4050 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_pl.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_pl.ts @@ -128,8 +128,8 @@ QObject - + Browser Przeglądarka diff --git a/src/Mod/Web/Gui/Resources/translations/Web_pt-BR.ts b/src/Mod/Web/Gui/Resources/translations/Web_pt-BR.ts index 86b4f4ec0ed7..c45a49f3e811 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_pt-BR.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_pt-BR.ts @@ -128,8 +128,8 @@ QObject - + Browser Navegador diff --git a/src/Mod/Web/Gui/Resources/translations/Web_pt-PT.ts b/src/Mod/Web/Gui/Resources/translations/Web_pt-PT.ts index a445cf27e205..e6af894b774b 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_pt-PT.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_pt-PT.ts @@ -128,8 +128,8 @@ QObject - + Browser Navegador diff --git a/src/Mod/Web/Gui/Resources/translations/Web_ro.ts b/src/Mod/Web/Gui/Resources/translations/Web_ro.ts index dd42f7b8f20c..46d6d439e298 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_ro.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_ro.ts @@ -128,8 +128,8 @@ QObject - + Browser Navigator diff --git a/src/Mod/Web/Gui/Resources/translations/Web_ru.ts b/src/Mod/Web/Gui/Resources/translations/Web_ru.ts index 9c3dffbd0fc0..d9d1f5ceea0d 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_ru.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_ru.ts @@ -128,8 +128,8 @@ QObject - + Browser Браузер diff --git a/src/Mod/Web/Gui/Resources/translations/Web_sl.ts b/src/Mod/Web/Gui/Resources/translations/Web_sl.ts index c8f5d8bccc4d..be637cd3ceb7 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_sl.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_sl.ts @@ -128,8 +128,8 @@ QObject - + Browser Brskalnik diff --git a/src/Mod/Web/Gui/Resources/translations/Web_sr-CS.ts b/src/Mod/Web/Gui/Resources/translations/Web_sr-CS.ts index 8fe97e203b58..be3c924b9f66 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_sr-CS.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_sr-CS.ts @@ -128,8 +128,8 @@ QObject - + Browser Pregledač diff --git a/src/Mod/Web/Gui/Resources/translations/Web_sr.ts b/src/Mod/Web/Gui/Resources/translations/Web_sr.ts index 1885148b84b8..a0fb839a6567 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_sr.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_sr.ts @@ -128,8 +128,8 @@ QObject - + Browser Прегледач diff --git a/src/Mod/Web/Gui/Resources/translations/Web_sv-SE.ts b/src/Mod/Web/Gui/Resources/translations/Web_sv-SE.ts index 2b8fe0faef94..e8874a91b9a7 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_sv-SE.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_sv-SE.ts @@ -128,8 +128,8 @@ QObject - + Browser Webbläsare diff --git a/src/Mod/Web/Gui/Resources/translations/Web_tr.ts b/src/Mod/Web/Gui/Resources/translations/Web_tr.ts index 0af13a276a9c..26bb2c8eca46 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_tr.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_tr.ts @@ -128,8 +128,8 @@ QObject - + Browser Tarayıcı diff --git a/src/Mod/Web/Gui/Resources/translations/Web_uk.ts b/src/Mod/Web/Gui/Resources/translations/Web_uk.ts index 59bafb03c838..a66a8e463b1d 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_uk.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_uk.ts @@ -128,8 +128,8 @@ QObject - + Browser Браузер diff --git a/src/Mod/Web/Gui/Resources/translations/Web_val-ES.ts b/src/Mod/Web/Gui/Resources/translations/Web_val-ES.ts index f70c453ce951..e942bdc1a61e 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_val-ES.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_val-ES.ts @@ -128,8 +128,8 @@ QObject - + Browser Navegador diff --git a/src/Mod/Web/Gui/Resources/translations/Web_zh-CN.ts b/src/Mod/Web/Gui/Resources/translations/Web_zh-CN.ts index bdbc7ab1d516..9d16107582ec 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_zh-CN.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_zh-CN.ts @@ -128,8 +128,8 @@ QObject - + Browser 浏览器 diff --git a/src/Mod/Web/Gui/Resources/translations/Web_zh-TW.ts b/src/Mod/Web/Gui/Resources/translations/Web_zh-TW.ts index aa526b9d0193..809b761be375 100644 --- a/src/Mod/Web/Gui/Resources/translations/Web_zh-TW.ts +++ b/src/Mod/Web/Gui/Resources/translations/Web_zh-TW.ts @@ -128,8 +128,8 @@ QObject - + Browser 瀏覽器 diff --git a/tests/src/App/ComplexGeoData.cpp b/tests/src/App/ComplexGeoData.cpp index fecf3e318b88..3ffc72e133a8 100644 --- a/tests/src/App/ComplexGeoData.cpp +++ b/tests/src/App/ComplexGeoData.cpp @@ -3,6 +3,7 @@ #include "gtest/gtest.h" #include +#include #include #include @@ -469,4 +470,25 @@ TEST_F(ComplexGeoDataTest, saveDocFileWithElementMap) TEST_F(ComplexGeoDataTest, restoreStream) {} +TEST_F(ComplexGeoDataTest, traceElement) +{ // This test barely scratches the surface; see the ToposhapeExtension traceElement test for more + Data::MappedName mappedName; + Data::IndexedName indexedName; + std::string name(Data::ELEMENT_MAP_PREFIX); + name.append("TestMappedElement:;"); + std::tie(indexedName, mappedName) = createMappedName(name); + + // Arrange + Data::TraceCallback cb = + [name](const Data::MappedName& elementname, int offset, long encodedTag, long tag) { + boost::ignore_unused(offset); + boost::ignore_unused(encodedTag); + boost::ignore_unused(tag); + EXPECT_STREQ(elementname.toString().c_str(), name.substr(1).c_str()); + return false; + }; + // Act + cgd().traceElement(mappedName, cb); +} + // NOLINTEND(readability-magic-numbers) diff --git a/tests/src/App/ElementMap.cpp b/tests/src/App/ElementMap.cpp index 3e63bb1a7e93..dd425ed09946 100644 --- a/tests/src/App/ElementMap.cpp +++ b/tests/src/App/ElementMap.cpp @@ -553,5 +553,4 @@ TEST_F(ElementMapTest, addAndGetChildElementsTest) return e.indexedName.toString() == "Pong2"; })); } - // NOLINTEND(readability-magic-numbers) diff --git a/tests/src/Base/TimeInfo.cpp b/tests/src/Base/TimeInfo.cpp index 04f41555505a..ca7d356cf6a3 100644 --- a/tests/src/Base/TimeInfo.cpp +++ b/tests/src/Base/TimeInfo.cpp @@ -4,32 +4,32 @@ TEST(TimeInfo, TestDefault) { Base::TimeInfo ti; - EXPECT_EQ(ti.isNull(), false); + EXPECT_FALSE(ti.isNull()); } TEST(TimeInfo, TestNull) { Base::TimeInfo ti(Base::TimeInfo::null()); - EXPECT_EQ(ti.isNull(), true); + EXPECT_TRUE(ti.isNull()); } TEST(TimeInfo, TestCompare) { Base::TimeInfo ti1; - Base::TimeInfo ti2; - ti2.setTime_t(ti1.getSeconds() + 1); - EXPECT_EQ(ti1 == ti1, true); - EXPECT_EQ(ti1 != ti2, true); - EXPECT_EQ(ti1 < ti2, true); - EXPECT_EQ(ti1 > ti2, false); - EXPECT_EQ(ti1 <= ti1, true); - EXPECT_EQ(ti1 >= ti1, true); + Base::TimeInfo ti2(ti1); + ti2 += std::chrono::seconds(1); + EXPECT_TRUE(ti1 == ti1); + EXPECT_TRUE(ti1 != ti2); + EXPECT_TRUE(ti1 < ti2); + EXPECT_FALSE(ti1 > ti2); + EXPECT_TRUE(ti1 <= ti1); + EXPECT_TRUE(ti1 >= ti1); } TEST(TimeInfo, TestDiffTime) { Base::TimeInfo ti1; - Base::TimeInfo ti2; - ti2.setTime_t(ti1.getSeconds() + 1); - EXPECT_EQ(Base::TimeInfo::diffTimeF(ti1, ti2), 1.0); + Base::TimeInfo ti2(ti1); + ti2 += std::chrono::seconds(1000); + EXPECT_FLOAT_EQ(Base::TimeInfo::diffTimeF(ti1, ti2), 1000.0); } diff --git a/tests/src/Mod/Part/App/FeaturePartCommon.cpp b/tests/src/Mod/Part/App/FeaturePartCommon.cpp index cd0991c8a001..dc030fb5e759 100644 --- a/tests/src/Mod/Part/App/FeaturePartCommon.cpp +++ b/tests/src/Mod/Part/App/FeaturePartCommon.cpp @@ -218,6 +218,6 @@ TEST_F(FeaturePartCommonTest, testMapping) #ifndef FC_USE_TNP_FIX EXPECT_EQ(ts1.getElementMap().size(), 0); #else - EXPECT_EQ(ts1.getElementMap().size(), 0); // TODO: Value and code TBD + EXPECT_EQ(ts1.getElementMap().size(), 26); // TODO: This should be 26. #endif } diff --git a/tests/src/Mod/Part/App/TopoShapeExpansion.cpp b/tests/src/Mod/Part/App/TopoShapeExpansion.cpp index e72bb48ccdd1..09d51b945ef3 100644 --- a/tests/src/Mod/Part/App/TopoShapeExpansion.cpp +++ b/tests/src/Mod/Part/App/TopoShapeExpansion.cpp @@ -8,6 +8,7 @@ #include "PartTestHelpers.h" +#include #include #include #include @@ -508,6 +509,40 @@ TEST_F(TopoShapeExpansionTest, flushElementMapTest) EXPECT_NE(childshapeWithMapFlushed.getElementMap()[0].name.find("Vertex1"), -1); } +TEST_F(TopoShapeExpansionTest, cacheRelatedElements) +{ + // Arrange + TopoShape topoShape {3L}; + QVector names { + {MappedName {"Test1"}, IndexedName {"Test", 1}}, + {MappedName {"Test2"}, IndexedName {"Test", 2}}, + {MappedName {"OtherTest1"}, IndexedName {"OtherTest", 1}}, + }; + QVector names2 { + {MappedName {"Test3"}, IndexedName {"Test", 3}}, + }; + HistoryTraceType traceType = HistoryTraceType::followTypeChange; + MappedName keyName {"Key1"}; + MappedName keyName2 {"Key2"}; + QVector returnedNames; + QVector returnedNames2; + QVector returnedNames3; + // Act + topoShape.cacheRelatedElements(keyName, traceType, names); + topoShape.cacheRelatedElements(keyName2, HistoryTraceType::stopOnTypeChange, names2); + topoShape.getRelatedElementsCached(keyName, traceType, returnedNames); + topoShape.getRelatedElementsCached(keyName, HistoryTraceType::stopOnTypeChange, returnedNames3); + topoShape.getRelatedElementsCached(keyName2, + HistoryTraceType::stopOnTypeChange, + returnedNames2); + // Assert + EXPECT_EQ(returnedNames.size(), 3); + EXPECT_STREQ(returnedNames[0].name.toString().c_str(), "Test1"); + EXPECT_EQ(returnedNames2.size(), 1); + EXPECT_STREQ(returnedNames2[0].name.toString().c_str(), "Test3"); + EXPECT_EQ(returnedNames3.size(), 0); // No entries of this type. +} + TEST_F(TopoShapeExpansionTest, makeElementWiresCombinesAdjacent) { // Arrange @@ -2524,4 +2559,88 @@ TEST_F(TopoShapeExpansionTest, makeElementEvolve) EXPECT_EQ(spine.getElementMap().size(), 0); } +TEST_F(TopoShapeExpansionTest, traceElement) +{ + // Arrange + auto [cube1, cube2] = CreateTwoCubes(); + auto tr {gp_Trsf()}; + tr.SetTranslation(gp_Vec(gp_XYZ(-0.5, -0.5, 0))); + cube2.Move(TopLoc_Location(tr)); + TopoShape topoShape1 {cube1, 1L}; + TopoShape topoShape2 {cube2, 2L}; + // Act + TopoShape& result = topoShape1.makeElementCut( + {topoShape1, topoShape2}); //, const char* op = nullptr, double tol = 0); + std::string name {"Face2;:M;CUT;:H1:7,F"}; + // auto faces = result.getSubTopoShapes(TopAbs_FACE); + Data::MappedName mappedName(name); + // Arrange + Data::TraceCallback cb = + [name](const Data::MappedName& elementname, int offset, long encodedTag, long tag) { + boost::ignore_unused(offset); + boost::ignore_unused(tag); + // TODO: This is likely a flawed way to address testing a callback. + // Also, it isn't clear exactly what the correct results are, although as soon as + // we start addressing History, we will quickly discover that, and likely the right + // things to test. + if (encodedTag == 1) { + EXPECT_STREQ(elementname.toString().c_str(), name.c_str()); + } + else { + EXPECT_STREQ(elementname.toString().c_str(), name.substr(0, 5).c_str()); + } + return false; + }; + // Act + result.traceElement(mappedName, cb); + // Assert we have the element map we think we do. + EXPECT_TRUE(allElementsMatch( + result, + { + "Edge10;:G(Edge2;K-1;:H2:4,E);CUT;:H1:1a,V", + "Edge10;:M;CUT;:H1:7,E", + "Edge10;:M;CUT;:H1:7,E;:U;CUT;:H1:7,V", + "Edge11;:M;CUT;:H2:7,E", + "Edge12;:M;CUT;:H2:7,E", + "Edge2;:M;CUT;:H2:7,E", + "Edge2;:M;CUT;:H2:7,E;:U;CUT;:H2:7,V", + "Edge4;:M;CUT;:H2:7,E", + "Edge4;:M;CUT;:H2:7,E;:U;CUT;:H2:7,V", + "Edge6;:G(Edge12;K-1;:H2:4,E);CUT;:H1:1b,V", + "Edge6;:M;CUT;:H1:7,E", + "Edge6;:M;CUT;:H1:7,E;:U;CUT;:H1:7,V", + "Edge8;:G(Edge11;K-1;:H2:4,E);CUT;:H1:1b,V", + "Edge8;:M;CUT;:H1:7,E", + "Edge8;:M;CUT;:H1:7,E;:U;CUT;:H1:7,V", + "Edge9;:G(Edge4;K-1;:H2:4,E);CUT;:H1:1a,V", + "Edge9;:M;CUT;:H1:7,E", + "Edge9;:M;CUT;:H1:7,E;:U;CUT;:H1:7,V", + "Face1;:M;CUT;:H2:7,F", + "Face1;:M;CUT;:H2:7,F;:U;CUT;:H2:7,E", + "Face2;:G(Face4;K-1;:H2:4,F);CUT;:H1:1a,E", + "Face2;:M;CUT;:H1:7,F", + "Face2;:M;CUT;:H1:7,F;:U;CUT;:H1:7,E", + "Face2;:M;CUT;:H1:7,F;:U;CUT;:H1:7,E;:L(Face5;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E;:U;CUT;:" + "H1:7,V;:L(Face6;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E;:U;CUT;:H1:7,V);CUT;:H1:3c,E|Face5;:M;" + "CUT;:H1:7,F;:U;CUT;:H1:7,E|Face6;:M;CUT;:H1:7,F;:U;CUT;:H1:7,E);CUT;:H1:c9,F", + "Face3;:G(Face1;K-1;:H2:4,F);CUT;:H1:1a,E", + "Face3;:M;CUT;:H1:7,F", + "Face3;:M;CUT;:H1:7,F;:U;CUT;:H1:7,E", + "Face3;:M;CUT;:H1:7,F;:U;CUT;:H1:7,E;:L(Face5;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E|Face5;:M;" + "CUT;:H1:7,F;:U2;CUT;:H1:8,E;:U;CUT;:H1:7,V;:L(Face6;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E;:U;" + "CUT;:H1:7,V);CUT;:H1:3c,E|Face6;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E);CUT;:H1:cb,F", + "Face4;:M;CUT;:H2:7,F", + "Face5;:M;CUT;:H1:7,F", + "Face5;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E", + "Face5;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E;:U;CUT;:H1:7,V", + "Face5;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E;:U;CUT;:H1:7,V;:L(Face6;:M;CUT;:H1:7,F;:U2;CUT;:" + "H1:8,E;:U;CUT;:H1:7,V);CUT;:H1:3c,E", + "Face5;:M;CUT;:H1:7,F;:U;CUT;:H1:7,E", + "Face6;:M;CUT;:H1:7,F", + "Face6;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E", + "Face6;:M;CUT;:H1:7,F;:U2;CUT;:H1:8,E;:U;CUT;:H1:7,V", + "Face6;:M;CUT;:H1:7,F;:U;CUT;:H1:7,E", + })); +} + // NOLINTEND(readability-magic-numbers,cppcoreguidelines-avoid-magic-numbers)